code
stringlengths
1
2.08M
language
stringclasses
1 value
// Copyright 2010 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview A wrapper for asynchronous message-passing channels that buffer * their output until both ends of the channel are connected. * */ goog.provide('goog.messaging.BufferedChannel'); goog.require('goog.Timer'); goog.require('goog.Uri'); goog.require('goog.debug.Error'); goog.require('goog.debug.Logger'); goog.require('goog.events'); goog.require('goog.messaging.MessageChannel'); goog.require('goog.messaging.MultiChannel'); /** * Creates a new BufferedChannel, which operates like its underlying channel * except that it buffers calls to send until it receives a message from its * peer claiming that the peer is ready to receive. The peer is also expected * to be a BufferedChannel, though this is not enforced. * * @param {!goog.messaging.MessageChannel} messageChannel The MessageChannel * we're wrapping. * @param {number=} opt_interval Polling interval for sending ready * notifications to peer, in ms. Default is 50. * @constructor * @extends {goog.Disposable} * @implements {goog.messaging.MessageChannel}; */ goog.messaging.BufferedChannel = function(messageChannel, opt_interval) { goog.Disposable.call(this); /** * Buffer of messages to be sent when the channel's peer is ready. * * @type {Array.<Object>} * @private */ this.buffer_ = []; /** * Channel dispatcher wrapping the underlying delegate channel. * * @type {!goog.messaging.MultiChannel} * @private */ this.multiChannel_ = new goog.messaging.MultiChannel(messageChannel); /** * Virtual channel for carrying the user's messages. * * @type {!goog.messaging.MessageChannel} * @private */ this.userChannel_ = this.multiChannel_.createVirtualChannel( goog.messaging.BufferedChannel.USER_CHANNEL_NAME_); /** * Virtual channel for carrying control messages for BufferedChannel. * * @type {!goog.messaging.MessageChannel} * @private */ this.controlChannel_ = this.multiChannel_.createVirtualChannel( goog.messaging.BufferedChannel.CONTROL_CHANNEL_NAME_); /** * Timer for the peer ready ping loop. * * @type {goog.Timer} * @private */ this.timer_ = new goog.Timer( opt_interval || goog.messaging.BufferedChannel.DEFAULT_INTERVAL_MILLIS_); this.timer_.start(); goog.events.listen( this.timer_, goog.Timer.TICK, this.sendReadyPing_, false, this); this.controlChannel_.registerService( goog.messaging.BufferedChannel.PEER_READY_SERVICE_NAME_, goog.bind(this.setPeerReady_, this)); }; goog.inherits(goog.messaging.BufferedChannel, goog.Disposable); /** * Default polling interval (in ms) for setPeerReady_ notifications. * * @type {number} * @const * @private */ goog.messaging.BufferedChannel.DEFAULT_INTERVAL_MILLIS_ = 50; /** * The name of the private service which handles peer ready pings. The * service registered with this name is bound to this.setPeerReady_, an internal * part of BufferedChannel's implementation that clients should not send to * directly. * * @type {string} * @const * @private */ goog.messaging.BufferedChannel.PEER_READY_SERVICE_NAME_ = 'setPeerReady_'; /** * The name of the virtual channel along which user messages are sent. * * @type {string} * @const * @private */ goog.messaging.BufferedChannel.USER_CHANNEL_NAME_ = 'user'; /** * The name of the virtual channel along which internal control messages are * sent. * * @type {string} * @const * @private */ goog.messaging.BufferedChannel.CONTROL_CHANNEL_NAME_ = 'control'; /** @override */ goog.messaging.BufferedChannel.prototype.connect = function(opt_connectCb) { if (opt_connectCb) { opt_connectCb(); } }; /** @override */ goog.messaging.BufferedChannel.prototype.isConnected = function() { return true; }; /** * @return {boolean} Whether the channel's peer is ready. */ goog.messaging.BufferedChannel.prototype.isPeerReady = function() { return this.peerReady_; }; /** * Logger. * * @type {goog.debug.Logger} * @const * @private */ goog.messaging.BufferedChannel.prototype.logger_ = goog.debug.Logger.getLogger( 'goog.messaging.bufferedchannel'); /** * Handles one tick of our peer ready notification loop. This entails sending a * ready ping to the peer and shutting down the loop if we've received a ping * ourselves. * * @private */ goog.messaging.BufferedChannel.prototype.sendReadyPing_ = function() { try { this.controlChannel_.send( goog.messaging.BufferedChannel.PEER_READY_SERVICE_NAME_, /* payload */ this.isPeerReady() ? '1' : ''); } catch (e) { this.timer_.stop(); // So we don't keep calling send and re-throwing. throw e; } }; /** * Whether or not the peer channel is ready to receive messages. * * @type {boolean} * @private */ goog.messaging.BufferedChannel.prototype.peerReady_; /** @override */ goog.messaging.BufferedChannel.prototype.registerService = function( serviceName, callback, opt_objectPayload) { this.userChannel_.registerService(serviceName, callback, opt_objectPayload); }; /** @override */ goog.messaging.BufferedChannel.prototype.registerDefaultService = function( callback) { this.userChannel_.registerDefaultService(callback); }; /** * Send a message over the channel. If the peer is not ready, the message will * be buffered and sent once we've received a ready message from our peer. * * @param {string} serviceName The name of the service this message should be * delivered to. * @param {string|!Object} payload The value of the message. If this is an * Object, it is serialized to JSON before sending. It's the responsibility * of implementors of this class to perform the serialization. * @see goog.net.xpc.BufferedChannel.send * @override */ goog.messaging.BufferedChannel.prototype.send = function(serviceName, payload) { if (this.isPeerReady()) { this.userChannel_.send(serviceName, payload); } else { goog.messaging.BufferedChannel.prototype.logger_.fine( 'buffering message ' + serviceName); this.buffer_.push({serviceName: serviceName, payload: payload}); } }; /** * Marks the channel's peer as ready, then sends buffered messages and nulls the * buffer. Subsequent calls to setPeerReady_ have no effect. * * @param {(!Object|string)} peerKnowsWeKnowItsReady Passed by the peer to * indicate whether it knows that we've received its ping and that it's * ready. Non-empty if true, empty if false. * @private */ goog.messaging.BufferedChannel.prototype.setPeerReady_ = function( peerKnowsWeKnowItsReady) { if (peerKnowsWeKnowItsReady) { this.timer_.stop(); } else { // Our peer doesn't know we're ready, so restart (or continue) pinging. // Restarting may be needed if the peer iframe was reloaded after the // connection was first established. this.timer_.start(); } if (this.peerReady_) { return; } this.peerReady_ = true; // Send one last ping so that the peer knows we know it's ready. this.sendReadyPing_(); for (var i = 0; i < this.buffer_.length; i++) { var message = this.buffer_[i]; goog.messaging.BufferedChannel.prototype.logger_.fine( 'sending buffered message ' + message.serviceName); this.userChannel_.send(message.serviceName, message.payload); } this.buffer_ = null; }; /** @override */ goog.messaging.BufferedChannel.prototype.disposeInternal = function() { goog.dispose(this.multiChannel_); goog.dispose(this.timer_); goog.base(this, 'disposeInternal'); };
JavaScript
// Copyright 2010 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview An interface for asynchronous message-passing channels. * * This interface is useful for writing code in a message-passing style that's * independent of the underlying communication medium. It's also useful for * adding decorators that wrap message channels and add extra functionality on * top. For example, {@link goog.messaging.BufferedChannel} enqueues messages * until communication is established, while {@link goog.messaging.MultiChannel} * splits a single underlying channel into multiple virtual ones. * * Decorators should be passed their underlying channel(s) in the constructor, * and should assume that those channels are already connected. Decorators are * responsible for disposing of the channels they wrap when the decorators * themselves are disposed. Decorators should also follow the APIs of the * individual methods listed below. * */ goog.provide('goog.messaging.MessageChannel'); /** * @interface */ goog.messaging.MessageChannel = function() {}; /** * Initiates the channel connection. When this method is called, all the * information needed to connect the channel has to be available. * * Implementers should only require this method to be called if the channel * needs to be configured in some way between when it's created and when it * becomes active. Otherwise, the channel should be immediately active and this * method should do nothing but immediately call opt_connectCb. * * @param {Function=} opt_connectCb Called when the channel has been connected * and is ready to use. */ goog.messaging.MessageChannel.prototype.connect = function(opt_connectCb) {}; /** * Gets whether the channel is connected. * * If {@link #connect} is not required for this class, this should always return * true. Otherwise, this should return true by the time the callback passed to * {@link #connect} has been called and always after that. * * @return {boolean} Whether the channel is connected. */ goog.messaging.MessageChannel.prototype.isConnected = function() {}; /** * Registers a service to be called when a message is received. * * Implementers shouldn't impose any restrictions on the service names that may * be registered. If some services are needed as control codes, * {@link goog.messaging.MultiMessageChannel} can be used to safely split the * channel into "public" and "control" virtual channels. * * @param {string} serviceName The name of the service. * @param {function((string|!Object))} callback The callback to process the * incoming messages. Passed the payload. If opt_objectPayload is set, the * payload is decoded and passed as an object. * @param {boolean=} opt_objectPayload If true, incoming messages for this * service are expected to contain an object, and will be deserialized from * a string automatically if necessary. It's the responsibility of * implementors of this class to perform the deserialization. */ goog.messaging.MessageChannel.prototype.registerService = function(serviceName, callback, opt_objectPayload) {}; /** * Registers a service to be called when a message is received that doesn't * match any other services. * * @param {function(string, (string|!Object))} callback The callback to process * the incoming messages. Passed the service name and the payload. Since * some channels can pass objects natively, the payload may be either an * object or a string. */ goog.messaging.MessageChannel.prototype.registerDefaultService = function(callback) {}; /** * Sends a message over the channel. * * @param {string} serviceName The name of the service this message should be * delivered to. * @param {string|!Object} payload The value of the message. If this is an * Object, it is serialized to a string before sending if necessary. It's * the responsibility of implementors of this class to perform the * serialization. */ goog.messaging.MessageChannel.prototype.send = function(serviceName, payload) {};
JavaScript
// Copyright 2011 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview The central node of a {@link goog.messaging.PortNetwork}. The * operator is responsible for providing the two-way communication channels (via * {@link MessageChannel}s) between each pair of nodes in the network that need * to communicate with one another. Each network should have one and only one * operator. * */ goog.provide('goog.messaging.PortOperator'); goog.require('goog.Disposable'); goog.require('goog.asserts'); goog.require('goog.debug.Logger'); goog.require('goog.messaging.PortChannel'); goog.require('goog.messaging.PortNetwork'); // interface goog.require('goog.object'); /** * The central node of a PortNetwork. * * @param {string} name The name of this node. * @constructor * @extends {goog.Disposable} * @implements {goog.messaging.PortNetwork} */ goog.messaging.PortOperator = function(name) { goog.base(this); /** * The collection of channels for communicating with other contexts in the * network. These are the channels that are returned to the user, as opposed * to the channels used for internal network communication. This is lazily * populated as the user requests communication with other contexts, or other * contexts request communication with the operator. * * @type {!Object.<!goog.messaging.PortChannel>} * @private */ this.connections_ = {}; /** * The collection of channels for internal network communication with other * contexts. This is not lazily populated, and always contains entries for * each member of the network. * * @type {!Object.<!goog.messaging.MessageChannel>} * @private */ this.switchboard_ = {}; /** * The name of the operator context. * * @type {string} * @private */ this.name_ = name; }; goog.inherits(goog.messaging.PortOperator, goog.Disposable); /** * The logger for PortOperator. * @type {goog.debug.Logger} * @private */ goog.messaging.PortOperator.prototype.logger_ = goog.debug.Logger.getLogger('goog.messaging.PortOperator'); /** @override */ goog.messaging.PortOperator.prototype.dial = function(name) { this.connectSelfToPort_(name); return this.connections_[name]; }; /** * Adds a caller to the network with the given name. This port should have no * services registered on it. It will be disposed along with the PortOperator. * * @param {string} name The name of the port to add. * @param {!goog.messaging.MessageChannel} port The port to add. Must be either * a {@link goog.messaging.PortChannel} or a decorator wrapping a * PortChannel; in particular, it must be able to send and receive * {@link MessagePort}s. */ goog.messaging.PortOperator.prototype.addPort = function(name, port) { this.switchboard_[name] = port; port.registerService(goog.messaging.PortNetwork.REQUEST_CONNECTION_SERVICE, goog.bind(this.requestConnection_, this, name)); }; /** * Connects two contexts by creating a {@link MessageChannel} and sending one * end to one context and the other end to the other. Called when we receive a * request from a caller to connect it to another context (including potentially * the operator). * * @param {string} sourceName The name of the context requesting the connection. * @param {!Object|string} message The name of the context to which * the connection is requested. * @private */ goog.messaging.PortOperator.prototype.requestConnection_ = function( sourceName, message) { var requestedName = /** @type {string} */ (message); if (requestedName == this.name_) { this.connectSelfToPort_(sourceName); return; } var sourceChannel = this.switchboard_[sourceName]; var requestedChannel = this.switchboard_[requestedName]; goog.asserts.assert(goog.isDefAndNotNull(sourceChannel)); if (!requestedChannel) { var err = 'Port "' + sourceName + '" requested a connection to port "' + requestedName + '", which doesn\'t exist'; this.logger_.warning(err); sourceChannel.send(goog.messaging.PortNetwork.GRANT_CONNECTION_SERVICE, {'success': false, 'message': err}); return; } var messageChannel = new MessageChannel(); sourceChannel.send(goog.messaging.PortNetwork.GRANT_CONNECTION_SERVICE, { 'success': true, 'name': requestedName, 'port': messageChannel.port1 }); requestedChannel.send(goog.messaging.PortNetwork.GRANT_CONNECTION_SERVICE, { 'success': true, 'name': sourceName, 'port': messageChannel.port2 }); }; /** * Connects together the operator and a caller by creating a * {@link MessageChannel} and sending one end to the remote context. * * @param {string} contextName The name of the context to which to connect the * operator. * @private */ goog.messaging.PortOperator.prototype.connectSelfToPort_ = function( contextName) { if (contextName in this.connections_) { // We've already established a connection with this port. return; } var contextChannel = this.switchboard_[contextName]; if (!contextChannel) { throw Error('Port "' + contextName + '" doesn\'t exist'); } var messageChannel = new MessageChannel(); contextChannel.send(goog.messaging.PortNetwork.GRANT_CONNECTION_SERVICE, { 'success': true, 'name': this.name_, 'port': messageChannel.port1 }); messageChannel.port2.start(); this.connections_[contextName] = new goog.messaging.PortChannel(messageChannel.port2); }; /** @override */ goog.messaging.PortOperator.prototype.disposeInternal = function() { goog.object.forEach(this.switchboard_, goog.dispose); goog.object.forEach(this.connections_, goog.dispose); delete this.switchboard_; delete this.connections_; goog.base(this, 'disposeInternal'); };
JavaScript
// Copyright 2010 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview An abstract superclass for message channels that handles the * repetitive details of registering and dispatching to services. This is more * useful for full-fledged channels than for decorators, since decorators * generally delegate service registering anyway. * */ goog.provide('goog.messaging.AbstractChannel'); goog.require('goog.Disposable'); goog.require('goog.debug'); goog.require('goog.debug.Logger'); goog.require('goog.json'); goog.require('goog.messaging.MessageChannel'); // interface /** * Creates an abstract message channel. * * @constructor * @extends {goog.Disposable} * @implements {goog.messaging.MessageChannel} */ goog.messaging.AbstractChannel = function() { goog.base(this); /** * The services registered for this channel. * @type {Object.<string, {callback: function((string|!Object)), objectPayload: boolean}>} * @private */ this.services_ = {}; }; goog.inherits(goog.messaging.AbstractChannel, goog.Disposable); /** * The default service to be run when no other services match. * * @type {?function(string, (string|!Object))} * @private */ goog.messaging.AbstractChannel.prototype.defaultService_; /** * Logger for this class. * @type {goog.debug.Logger} * @protected */ goog.messaging.AbstractChannel.prototype.logger = goog.debug.Logger.getLogger('goog.messaging.AbstractChannel'); /** * Immediately calls opt_connectCb if given, and is otherwise a no-op. If * subclasses have configuration that needs to happen before the channel is * connected, they should override this and {@link #isConnected}. * @override */ goog.messaging.AbstractChannel.prototype.connect = function(opt_connectCb) { if (opt_connectCb) { opt_connectCb(); } }; /** * Always returns true. If subclasses have configuration that needs to happen * before the channel is connected, they should override this and * {@link #connect}. * @override */ goog.messaging.AbstractChannel.prototype.isConnected = function() { return true; }; /** @override */ goog.messaging.AbstractChannel.prototype.registerService = function(serviceName, callback, opt_objectPayload) { this.services_[serviceName] = { callback: callback, objectPayload: !!opt_objectPayload }; }; /** @override */ goog.messaging.AbstractChannel.prototype.registerDefaultService = function(callback) { this.defaultService_ = callback; }; /** @override */ goog.messaging.AbstractChannel.prototype.send = goog.abstractMethod; /** * Delivers a message to the appropriate service. This is meant to be called by * subclasses when they receive messages. * * This method takes into account both explicitly-registered and default * services, as well as making sure that JSON payloads are decoded when * necessary. If the subclass is capable of passing objects as payloads, those * objects can be passed in to this method directly. Otherwise, the (potentially * JSON-encoded) strings should be passed in. * * @param {string} serviceName The name of the service receiving the message. * @param {string|!Object} payload The contents of the message. * @protected */ goog.messaging.AbstractChannel.prototype.deliver = function( serviceName, payload) { var service = this.getService(serviceName, payload); if (!service) { return; } var decodedPayload = this.decodePayload(serviceName, payload, service.objectPayload); if (goog.isDefAndNotNull(decodedPayload)) { service.callback(decodedPayload); } }; /** * Find the service object for a given service name. If there's no service * explicitly registered, but there is a default service, a service object is * constructed for it. * * @param {string} serviceName The name of the service receiving the message. * @param {string|!Object} payload The contents of the message. * @return {?{callback: function((string|!Object)), objectPayload: boolean}} The * service object for the given service, or null if none was found. * @protected */ goog.messaging.AbstractChannel.prototype.getService = function( serviceName, payload) { var service = this.services_[serviceName]; if (service) { return service; } else if (this.defaultService_) { var callback = goog.partial(this.defaultService_, serviceName); var objectPayload = goog.isObject(payload); return {callback: callback, objectPayload: objectPayload}; } this.logger.warning('Unknown service name "' + serviceName + '"'); return null; }; /** * Converts the message payload into the format expected by the registered * service (either JSON or string). * * @param {string} serviceName The name of the service receiving the message. * @param {string|!Object} payload The contents of the message. * @param {boolean} objectPayload Whether the service expects an object or a * plain string. * @return {string|Object} The payload in the format expected by the service, or * null if something went wrong. * @protected */ goog.messaging.AbstractChannel.prototype.decodePayload = function( serviceName, payload, objectPayload) { if (objectPayload && goog.isString(payload)) { try { return goog.json.parse(payload); } catch (err) { this.logger.warning('Expected JSON payload for ' + serviceName + ', was "' + payload + '"'); return null; } } else if (!objectPayload && !goog.isString(payload)) { return goog.json.serialize(payload); } return payload; }; /** @override */ goog.messaging.AbstractChannel.prototype.disposeInternal = function() { goog.base(this, 'disposeInternal'); delete this.logger; delete this.services_; delete this.defaultService_; };
JavaScript
// Copyright 2010 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview This class sends logging messages over a message channel to a * server on the main page that prints them using standard logging mechanisms. * */ goog.provide('goog.messaging.LoggerClient'); goog.require('goog.Disposable'); goog.require('goog.debug'); goog.require('goog.debug.LogManager'); goog.require('goog.debug.Logger'); /** * Creates a logger client that sends messages along a message channel for the * remote end to log. The remote end of the channel should use a * {goog.messaging.LoggerServer} with the same service name. * * @param {!goog.messaging.MessageChannel} channel The channel that on which to * send the log messages. * @param {string} serviceName The name of the logging service to use. * @constructor * @extends {goog.Disposable} */ goog.messaging.LoggerClient = function(channel, serviceName) { if (goog.messaging.LoggerClient.instance_) { return goog.messaging.LoggerClient.instance_; } goog.base(this); /** * The channel on which to send the log messages. * @type {!goog.messaging.MessageChannel} * @private */ this.channel_ = channel; /** * The name of the logging service to use. * @type {string} * @private */ this.serviceName_ = serviceName; /** * The bound handler function for handling log messages. This is kept in a * variable so that it can be deregistered when the logger client is disposed. * @type {Function} * @private */ this.publishHandler_ = goog.bind(this.sendLog_, this); goog.debug.LogManager.getRoot().addHandler(this.publishHandler_); goog.messaging.LoggerClient.instance_ = this; }; goog.inherits(goog.messaging.LoggerClient, goog.Disposable); /** * The singleton instance, if any. * @type {goog.messaging.LoggerClient} * @private */ goog.messaging.LoggerClient.instance_ = null; /** * Sends a log message through the channel. * @param {!goog.debug.LogRecord} logRecord The log message. * @private */ goog.messaging.LoggerClient.prototype.sendLog_ = function(logRecord) { var name = logRecord.getLoggerName(); var level = logRecord.getLevel(); var msg = logRecord.getMessage(); var originalException = logRecord.getException(); var exception; if (originalException) { var normalizedException = goog.debug.normalizeErrorObject(originalException); exception = { 'name': normalizedException.name, 'message': normalizedException.message, 'lineNumber': normalizedException.lineNumber, 'fileName': normalizedException.fileName, // Normalized exceptions without a stack have 'stack' set to 'Not // available', so we check for the existance of 'stack' on the original // exception instead. 'stack': originalException.stack || goog.debug.getStacktrace(goog.debug.Logger.prototype.log) }; if (goog.isObject(originalException)) { // Add messageN to the exception in case it was added using // goog.debug.enhanceError. for (var i = 0; 'message' + i in originalException; i++) { exception['message' + i] = String(originalException['message' + i]); } } } this.channel_.send(this.serviceName_, { 'name': name, 'level': level.value, 'message': msg, 'exception': exception }); }; /** @override */ goog.messaging.LoggerClient.prototype.disposeInternal = function() { goog.base(this, 'disposeInternal'); goog.debug.LogManager.getRoot().removeHandler(this.publishHandler_); delete this.channel_; goog.messaging.LoggerClient.instance_ = null; };
JavaScript
// Copyright 2010 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Definition of goog.messaging.MultiChannel, which uses a * single underlying MessageChannel to carry several independent virtual message * channels. * */ goog.provide('goog.messaging.MultiChannel'); goog.provide('goog.messaging.MultiChannel.VirtualChannel'); goog.require('goog.Disposable'); goog.require('goog.debug.Logger'); goog.require('goog.events.EventHandler'); goog.require('goog.messaging.MessageChannel'); // interface goog.require('goog.object'); /** * Creates a new MultiChannel wrapping a single MessageChannel. The * underlying channel shouldn't have any other listeners registered, but it * should be connected. * * Note that the other side of the channel should also be connected to a * MultiChannel with the same number of virtual channels. * * @param {goog.messaging.MessageChannel} underlyingChannel The underlying * channel to use as transport for the virtual channels. * @constructor * @extends {goog.Disposable} */ goog.messaging.MultiChannel = function(underlyingChannel) { goog.base(this); /** * The underlying channel across which all requests are sent. * @type {goog.messaging.MessageChannel} * @private */ this.underlyingChannel_ = underlyingChannel; /** * All the virtual channels that are registered for this MultiChannel. * These are null if they've been disposed. * @type {Object.<?goog.messaging.MultiChannel.VirtualChannel>} * @private */ this.virtualChannels_ = {}; this.underlyingChannel_.registerDefaultService( goog.bind(this.handleDefault_, this)); }; goog.inherits(goog.messaging.MultiChannel, goog.Disposable); /** * Logger object for goog.messaging.MultiChannel. * @type {goog.debug.Logger} * @private */ goog.messaging.MultiChannel.prototype.logger_ = goog.debug.Logger.getLogger('goog.messaging.MultiChannel'); /** * Creates a new virtual channel that will communicate across the underlying * channel. * @param {string} name The name of the virtual channel. Must be unique for this * MultiChannel. Cannot contain colons. * @return {!goog.messaging.MultiChannel.VirtualChannel} The new virtual * channel. */ goog.messaging.MultiChannel.prototype.createVirtualChannel = function(name) { if (name.indexOf(':') != -1) { throw Error( 'Virtual channel name "' + name + '" should not contain colons'); } if (name in this.virtualChannels_) { throw Error('Virtual channel "' + name + '" was already created for ' + 'this multichannel.'); } var channel = new goog.messaging.MultiChannel.VirtualChannel(this, name); this.virtualChannels_[name] = channel; return channel; }; /** * Handles the default service for the underlying channel. This dispatches any * unrecognized services to the appropriate virtual channel. * * @param {string} serviceName The name of the service being called. * @param {string|!Object} payload The message payload. * @private */ goog.messaging.MultiChannel.prototype.handleDefault_ = function( serviceName, payload) { var match = serviceName.match(/^([^:]*):(.*)/); if (!match) { this.logger_.warning('Invalid service name "' + serviceName + '": no ' + 'virtual channel specified'); return; } var channelName = match[1]; serviceName = match[2]; if (!(channelName in this.virtualChannels_)) { this.logger_.warning('Virtual channel "' + channelName + ' does not ' + 'exist, but a message was received for it: "' + serviceName + '"'); return; } var virtualChannel = this.virtualChannels_[channelName]; if (!virtualChannel) { this.logger_.warning('Virtual channel "' + channelName + ' has been ' + 'disposed, but a message was received for it: "' + serviceName + '"'); return; } if (!virtualChannel.defaultService_) { this.logger_.warning('Service "' + serviceName + '" is not registered ' + 'on virtual channel "' + channelName + '"'); return; } virtualChannel.defaultService_(serviceName, payload); }; /** @override */ goog.messaging.MultiChannel.prototype.disposeInternal = function() { goog.object.forEach(this.virtualChannels_, function(channel) { goog.dispose(channel); }); goog.dispose(this.underlyingChannel_); delete this.virtualChannels_; delete this.underlyingChannel_; }; /** * A message channel that proxies its messages over another underlying channel. * * @param {goog.messaging.MultiChannel} parent The MultiChannel * which created this channel, and which contains the underlying * MessageChannel that's used as the transport. * @param {string} name The name of this virtual channel. Unique among the * virtual channels in parent. * @constructor * @implements {goog.messaging.MessageChannel} * @extends {goog.Disposable} */ goog.messaging.MultiChannel.VirtualChannel = function(parent, name) { goog.base(this); /** * The MultiChannel containing the underlying transport channel. * @type {goog.messaging.MultiChannel} * @private */ this.parent_ = parent; /** * The name of this virtual channel. * @type {string} * @private */ this.name_ = name; }; goog.inherits(goog.messaging.MultiChannel.VirtualChannel, goog.Disposable); /** * The default service to run if no other services match. * @type {?function(string, (string|!Object))} * @private */ goog.messaging.MultiChannel.VirtualChannel.prototype.defaultService_; /** * Logger object for goog.messaging.MultiChannel.VirtualChannel. * @type {goog.debug.Logger} * @private */ goog.messaging.MultiChannel.VirtualChannel.prototype.logger_ = goog.debug.Logger.getLogger( 'goog.messaging.MultiChannel.VirtualChannel'); /** * This is a no-op, since the underlying channel is expected to already be * initialized when it's passed in. * * @override */ goog.messaging.MultiChannel.VirtualChannel.prototype.connect = function(opt_connectCb) { if (opt_connectCb) { opt_connectCb(); } }; /** * This always returns true, since the underlying channel is expected to already * be initialized when it's passed in. * * @override */ goog.messaging.MultiChannel.VirtualChannel.prototype.isConnected = function() { return true; }; /** * @override */ goog.messaging.MultiChannel.VirtualChannel.prototype.registerService = function(serviceName, callback, opt_objectPayload) { this.parent_.underlyingChannel_.registerService( this.name_ + ':' + serviceName, goog.bind(this.doCallback_, this, callback), opt_objectPayload); }; /** * @override */ goog.messaging.MultiChannel.VirtualChannel.prototype. registerDefaultService = function(callback) { this.defaultService_ = goog.bind(this.doCallback_, this, callback); }; /** * @override */ goog.messaging.MultiChannel.VirtualChannel.prototype.send = function(serviceName, payload) { if (this.isDisposed()) { throw Error('#send called for disposed VirtualChannel.'); } this.parent_.underlyingChannel_.send(this.name_ + ':' + serviceName, payload); }; /** * Wraps a callback with a function that will log a warning and abort if it's * called when this channel is disposed. * * @param {function()} callback The callback to wrap. * @param {...*} var_args Other arguments, passed to the callback. * @private */ goog.messaging.MultiChannel.VirtualChannel.prototype.doCallback_ = function(callback, var_args) { if (this.isDisposed()) { this.logger_.warning('Virtual channel "' + this.name_ + '" received ' + ' a message after being disposed.'); return; } callback.apply({}, Array.prototype.slice.call(arguments, 1)); }; /** @override */ goog.messaging.MultiChannel.VirtualChannel.prototype.disposeInternal = function() { this.parent_.virtualChannels_[this.name_] = null; this.parent_ = null; };
JavaScript
// Copyright 2010 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview This class listens on a message channel for logger commands and * logs them on the local page. This is useful when dealing with message * channels to contexts that don't have access to their own logging facilities. * */ goog.provide('goog.messaging.LoggerServer'); goog.require('goog.Disposable'); goog.require('goog.debug.Logger'); /** * Creates a logger server that logs messages on behalf of the remote end of a * message channel. The remote end of the channel should use a * {goog.messaging.LoggerClient} with the same service name. * * @param {!goog.messaging.MessageChannel} channel The channel that is sending * the log messages. * @param {string} serviceName The name of the logging service to listen for. * @param {string=} opt_channelName The name of this channel. Used to help * distinguish this client's messages. * @constructor * @extends {goog.Disposable} */ goog.messaging.LoggerServer = function(channel, serviceName, opt_channelName) { goog.base(this); /** * The channel that is sending the log messages. * @type {!goog.messaging.MessageChannel} * @private */ this.channel_ = channel; /** * The name of the logging service to listen for. * @type {string} * @private */ this.serviceName_ = serviceName; /** * The name of the channel. * @type {string} * @private */ this.channelName_ = opt_channelName || 'remote logger'; this.channel_.registerService( this.serviceName_, goog.bind(this.log_, this), true /* opt_json */); }; goog.inherits(goog.messaging.LoggerServer, goog.Disposable); /** * Handles logging messages from the client. * @param {!Object|string} message * The logging information from the client. * @private */ goog.messaging.LoggerServer.prototype.log_ = function(message) { var args = /** * @type {!{level: number, message: string, * name: string, exception: Object}} */ (message); var level = goog.debug.Logger.Level.getPredefinedLevelByValue(args['level']); if (level) { var msg = '[' + this.channelName_ + '] ' + args['message']; goog.debug.Logger.getLogger(args['name']) .log(level, msg, args['exception']); } }; /** @override */ goog.messaging.LoggerServer.prototype.disposeInternal = function() { goog.base(this, 'disposeInternal'); this.channel_.registerService(this.serviceName_, goog.nullFunction, true); delete this.channel_; };
JavaScript
// Copyright 2008 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Defines the base class for a module. This is used to allow the * code to be modularized, giving the benefits of lazy loading and loading on * demand. * */ goog.provide('goog.module.BaseModule'); goog.require('goog.Disposable'); /** * A basic module object that represents a module of Javascript code that can * be dynamically loaded. * * @constructor * @extends {goog.Disposable} */ goog.module.BaseModule = function() { goog.Disposable.call(this); }; goog.inherits(goog.module.BaseModule, goog.Disposable); /** * Performs any load-time initialization that the module requires. * @param {Object} context The module context. */ goog.module.BaseModule.prototype.initialize = function(context) {};
JavaScript
// Copyright 2008 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Defines the goog.module.ModuleInfo class. * */ goog.provide('goog.module.ModuleInfo'); goog.require('goog.Disposable'); goog.require('goog.functions'); goog.require('goog.module.BaseModule'); goog.require('goog.module.ModuleLoadCallback'); /** * A ModuleInfo object is used by the ModuleManager to hold information about a * module of js code that may or may not yet be loaded into the environment. * * @param {Array.<string>} deps Ids of the modules that must be loaded before * this one. The ids must be in dependency order (i.e. if the ith module * depends on the jth module, then i > j). * @param {string} id The module's ID. * @constructor * @extends {goog.Disposable} */ goog.module.ModuleInfo = function(deps, id) { goog.Disposable.call(this); /** * A list of the ids of the modules that must be loaded before this module. * @type {Array.<string>} * @private */ this.deps_ = deps; /** * The module's ID. * @type {string} * @private */ this.id_ = id; /** * Callbacks to execute once this module is loaded. * @type {Array.<goog.module.ModuleLoadCallback>} * @private */ this.onloadCallbacks_ = []; /** * Callbacks to execute if the module load errors. * @type {Array.<goog.module.ModuleLoadCallback>} * @private */ this.onErrorCallbacks_ = []; /** * Early callbacks to execute once this module is loaded. Called after * module initialization but before regular onload callbacks. * @type {Array.<goog.module.ModuleLoadCallback>} * @private */ this.earlyOnloadCallbacks_ = []; }; goog.inherits(goog.module.ModuleInfo, goog.Disposable); /** * The uris that can be used to retrieve this module's code. * @type {Array.<string>?} * @private */ goog.module.ModuleInfo.prototype.uris_ = null; /** * The constructor to use to instantiate the module object after the module * code is loaded. This must be either goog.module.BaseModule or a subclass of * it. * @type {Function} * @private */ goog.module.ModuleInfo.prototype.moduleConstructor_ = goog.module.BaseModule; /** * The module object. This will be null until the module is loaded. * @type {goog.module.BaseModule?} * @private */ goog.module.ModuleInfo.prototype.module_ = null; /** * Gets the dependencies of this module. * @return {Array.<string>} The ids of the modules that this module depends on. */ goog.module.ModuleInfo.prototype.getDependencies = function() { return this.deps_; }; /** * Gets the ID of this module. * @return {string} The ID. */ goog.module.ModuleInfo.prototype.getId = function() { return this.id_; }; /** * Sets the uris of this module. * @param {Array.<string>} uris Uris for this module's code. */ goog.module.ModuleInfo.prototype.setUris = function(uris) { this.uris_ = uris; }; /** * Gets the uris of this module. * @return {Array.<string>?} Uris for this module's code. */ goog.module.ModuleInfo.prototype.getUris = function() { return this.uris_; }; /** * Sets the constructor to use to instantiate the module object after the * module code is loaded. * @param {Function} constructor The constructor of a goog.module.BaseModule * subclass. */ goog.module.ModuleInfo.prototype.setModuleConstructor = function( constructor) { if (this.moduleConstructor_ === goog.module.BaseModule) { this.moduleConstructor_ = constructor; } else { throw Error('Cannot set module constructor more than once.'); } }; /** * Registers a function that should be called after the module is loaded. These * early callbacks are called after {@link Module#initialize} is called but * before the other callbacks are called. * @param {Function} fn A callback function that takes a single argument which * is the module context. * @param {Object=} opt_handler Optional handler under whose scope to execute * the callback. * @return {goog.module.ModuleLoadCallback} Reference to the callback * object. */ goog.module.ModuleInfo.prototype.registerEarlyCallback = function( fn, opt_handler) { return this.registerCallback_(this.earlyOnloadCallbacks_, fn, opt_handler); }; /** * Registers a function that should be called after the module is loaded. * @param {Function} fn A callback function that takes a single argument which * is the module context. * @param {Object=} opt_handler Optional handler under whose scope to execute * the callback. * @return {goog.module.ModuleLoadCallback} Reference to the callback * object. */ goog.module.ModuleInfo.prototype.registerCallback = function( fn, opt_handler) { return this.registerCallback_(this.onloadCallbacks_, fn, opt_handler); }; /** * Registers a function that should be called if the module load fails. * @param {Function} fn A callback function that takes a single argument which * is the failure type. * @param {Object=} opt_handler Optional handler under whose scope to execute * the callback. * @return {goog.module.ModuleLoadCallback} Reference to the callback * object. */ goog.module.ModuleInfo.prototype.registerErrback = function( fn, opt_handler) { return this.registerCallback_(this.onErrorCallbacks_, fn, opt_handler); }; /** * Registers a function that should be called after the module is loaded. * @param {Array.<goog.module.ModuleLoadCallback>} callbacks The array to * add the callback to. * @param {Function} fn A callback function that takes a single argument which * is the module context. * @param {Object=} opt_handler Optional handler under whose scope to execute * the callback. * @return {goog.module.ModuleLoadCallback} Reference to the callback * object. * @private */ goog.module.ModuleInfo.prototype.registerCallback_ = function( callbacks, fn, opt_handler) { var callback = new goog.module.ModuleLoadCallback(fn, opt_handler); callbacks.push(callback); return callback; }; /** * Determines whether the module has been loaded. * @return {boolean} Whether the module has been loaded. */ goog.module.ModuleInfo.prototype.isLoaded = function() { return !!this.module_; }; /** * Gets the module. * @return {goog.module.BaseModule?} The module if it has been loaded. * Otherwise, null. */ goog.module.ModuleInfo.prototype.getModule = function() { return this.module_; }; /** * Sets this module as loaded. * @param {function() : Object} contextProvider A function that provides the * module context. * @return {boolean} Whether any errors occurred while executing the onload * callbacks. */ goog.module.ModuleInfo.prototype.onLoad = function(contextProvider) { // Instantiate and initialize the module object. var module = new this.moduleConstructor_; module.initialize(contextProvider()); // Keep an internal reference to the module. this.module_ = module; // Fire any early callbacks that were waiting for the module to be loaded. var errors = !!this.callCallbacks_(this.earlyOnloadCallbacks_, contextProvider()); // Fire any callbacks that were waiting for the module to be loaded. errors = errors || !!this.callCallbacks_(this.onloadCallbacks_, contextProvider()); if (!errors) { // Clear the errbacks. this.onErrorCallbacks_.length = 0; } return errors; }; /** * Calls the error callbacks for the module. * @param {goog.module.ModuleManager.FailureType} cause What caused the error. */ goog.module.ModuleInfo.prototype.onError = function(cause) { var result = this.callCallbacks_(this.onErrorCallbacks_, cause); if (result) { // Throw an exception asynchronously. Do not let the exception leak // up to the caller, or it will blow up the module loading framework. window.setTimeout( goog.functions.error('Module errback failures: ' + result), 0); } this.earlyOnloadCallbacks_.length = 0; this.onloadCallbacks_.length = 0; }; /** * Helper to call the callbacks after module load. * @param {Array.<goog.module.ModuleLoadCallback>} callbacks The callbacks * to call and then clear. * @param {*} context The module context. * @return {Array.<*>} Any errors encountered while calling the callbacks, * or null if there were no errors. * @private */ goog.module.ModuleInfo.prototype.callCallbacks_ = function(callbacks, context) { // NOTE(nicksantos): // In practice, there are two error-handling scenarios: // 1) The callback does some mandatory initialization of the module. // 2) The callback is for completion of some optional UI event. // There's no good way to handle both scenarios. // // Our strategy here is to protect module manager from exceptions, so that // the failure of one module doesn't affect the loading of other modules. // Then, we try to report the exception as best we can. // Call each callback in the order they were registered var errors = []; for (var i = 0; i < callbacks.length; i++) { try { callbacks[i].execute(context); } catch (e) { errors.push(e); } } // Clear the list of callbacks. callbacks.length = 0; return errors.length ? errors : null; }; /** @override */ goog.module.ModuleInfo.prototype.disposeInternal = function() { goog.module.ModuleInfo.superClass_.disposeInternal.call(this); goog.dispose(this.module_); };
JavaScript
// Copyright 2008 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview A singleton object for managing Javascript code modules. * */ goog.provide('goog.module.ModuleManager'); goog.provide('goog.module.ModuleManager.CallbackType'); goog.provide('goog.module.ModuleManager.FailureType'); goog.require('goog.Disposable'); goog.require('goog.array'); goog.require('goog.asserts'); goog.require('goog.async.Deferred'); goog.require('goog.debug.Logger'); goog.require('goog.debug.Trace'); goog.require('goog.dispose'); goog.require('goog.module.ModuleInfo'); goog.require('goog.module.ModuleLoadCallback'); goog.require('goog.object'); /** * The ModuleManager keeps track of all modules in the environment. * Since modules may not have their code loaded, we must keep track of them. * @constructor * @extends {goog.Disposable} */ goog.module.ModuleManager = function() { goog.Disposable.call(this); /** * A mapping from module id to ModuleInfo object. * @type {Object} * @private */ this.moduleInfoMap_ = {}; /** * The ids of the currently loading modules. If batch mode is disabled, then * this array will never contain more than one element at a time. * @type {Array.<string>} * @private */ this.loadingModuleIds_ = []; /** * The requested ids of the currently loading modules. This does not include * module dependencies that may also be loading. * @type {Array.<string>} * @private */ this.requestedLoadingModuleIds_ = []; /** * A queue of the ids of requested but not-yet-loaded modules. The zero * position is the front of the queue. This is a 2-D array to group modules * together with other modules that should be batch loaded with them, if * batch loading is enabled. * @type {Array.<Array.<string>>} * @private */ this.requestedModuleIdsQueue_ = []; /** * The ids of the currently loading modules which have been initiated by user * actions. * @type {Array.<string>} * @private */ this.userInitiatedLoadingModuleIds_ = []; /** * A map of callback types to the functions to call for the specified * callback type. * @type {Object} * @private */ this.callbackMap_ = {}; /** * Module info for the base module (the one that contains the module * manager code), which we set as the loading module so one can * register initialization callbacks in the base module. * * The base module is considered loaded when #setAllModuleInfo is called or * #setModuleContext is called, whichever comes first. * * @type {goog.module.ModuleInfo} * @private */ this.baseModuleInfo_ = new goog.module.ModuleInfo([], ''); /** * The module that is currently loading, or null if not loading anything. * @type {goog.module.ModuleInfo} * @private */ this.currentlyLoadingModule_ = this.baseModuleInfo_; }; goog.inherits(goog.module.ModuleManager, goog.Disposable); goog.addSingletonGetter(goog.module.ModuleManager); /** * The type of callbacks that can be registered with the module manager,. * @enum {string} */ goog.module.ModuleManager.CallbackType = { /** * Fired when an error has occurred. */ ERROR: 'error', /** * Fired when it becomes idle and has no more module loads to process. */ IDLE: 'idle', /** * Fired when it becomes active and has module loads to process. */ ACTIVE: 'active', /** * Fired when it becomes idle and has no more user-initiated module loads to * process. */ USER_IDLE: 'userIdle', /** * Fired when it becomes active and has user-initiated module loads to * process. */ USER_ACTIVE: 'userActive' }; /** * A non-HTTP status code indicating a corruption in loaded module. * This should be used by a ModuleLoader as a replacement for the HTTP code * given to the error handler function to indicated that the module was * corrupted. * This will set the forceReload flag on the loadModules method when retrying * module loading. * @type {number} */ goog.module.ModuleManager.CORRUPT_RESPONSE_STATUS_CODE = 8001; /** * A logger. * @type {goog.debug.Logger} * @private */ goog.module.ModuleManager.prototype.logger_ = goog.debug.Logger.getLogger( 'goog.module.ModuleManager'); /** * Whether the batch mode (i.e. the loading of multiple modules with just one * request) has been enabled. * @type {boolean} * @private */ goog.module.ModuleManager.prototype.batchModeEnabled_ = false; /** * A loader for the modules that implements loadModules(ids, moduleInfoMap, * opt_successFn, opt_errorFn, opt_timeoutFn, opt_forceReload) method. * @type {goog.module.AbstractModuleLoader} * @private */ goog.module.ModuleManager.prototype.loader_ = null; // TODO(user): Remove tracer. /** * Tracer that measures how long it takes to load a module. * @type {?number} * @private */ goog.module.ModuleManager.prototype.loadTracer_ = null; /** * The number of consecutive failures that have happened upon module load * requests. * @type {number} * @private */ goog.module.ModuleManager.prototype.consecutiveFailures_ = 0; /** * Determines if the module manager was just active before the processing of * the last data. * @type {boolean} * @private */ goog.module.ModuleManager.prototype.lastActive_ = false; /** * Determines if the module manager was just user active before the processing * of the last data. The module manager is user active if any of the * user-initiated modules are loading or queued up to load. * @type {boolean} * @private */ goog.module.ModuleManager.prototype.userLastActive_ = false; /** * The module context needed for module initialization. * @type {Object} * @private */ goog.module.ModuleManager.prototype.moduleContext_ = null; /** * Sets the batch mode as enabled or disabled for the module manager. * @param {boolean} enabled Whether the batch mode is to be enabled or not. */ goog.module.ModuleManager.prototype.setBatchModeEnabled = function( enabled) { this.batchModeEnabled_ = enabled; }; /** * Sets the module info for all modules. Should only be called once. * * @param {Object.<Array.<string>>} infoMap An object that contains a mapping * from module id (String) to list of required module ids (Array). */ goog.module.ModuleManager.prototype.setAllModuleInfo = function(infoMap) { for (var id in infoMap) { this.moduleInfoMap_[id] = new goog.module.ModuleInfo(infoMap[id], id); } this.maybeFinishBaseLoad_(); }; /** * Sets the module info for all modules. Should only be called once. Also * marks modules that are currently being loaded. * * @param {string=} opt_info A string representation of the module dependency * graph, in the form: module1:dep1,dep2/module2:dep1,dep2 etc. * Where depX is the base-36 encoded position of the dep in the module list. * @param {Array.<string>=} opt_loadingModuleIds A list of moduleIds that * are currently being loaded. */ goog.module.ModuleManager.prototype.setAllModuleInfoString = function( opt_info, opt_loadingModuleIds) { if (!goog.isString(opt_info)) { // The call to this method is generated in two steps, the argument is added // after some of the compilation passes. This means that the initial code // doesn't have any arguments and causes compiler errors. We make it // optional to satisfy this constraint. return; } var modules = opt_info.split('/'); var moduleIds = []; // Split the string into the infoMap of id->deps for (var i = 0; i < modules.length; i++) { var parts = modules[i].split(':'); var id = parts[0]; var deps; if (parts[1]) { deps = parts[1].split(','); for (var j = 0; j < deps.length; j++) { var index = parseInt(deps[j], 36); goog.asserts.assert( moduleIds[index], 'No module @ %s, dep of %s @ %s', index, id, i); deps[j] = moduleIds[index]; } } else { deps = []; } moduleIds.push(id); this.moduleInfoMap_[id] = new goog.module.ModuleInfo(deps, id); } if (opt_loadingModuleIds) { goog.array.extend(this.loadingModuleIds_, opt_loadingModuleIds); } this.maybeFinishBaseLoad_(); }; /** * Gets a module info object by id. * @param {string} id A module identifier. * @return {goog.module.ModuleInfo} The module info. */ goog.module.ModuleManager.prototype.getModuleInfo = function(id) { return this.moduleInfoMap_[id]; }; /** * Sets the module uris. * * @param {Object} moduleUriMap The map of id/uris pairs for each module. */ goog.module.ModuleManager.prototype.setModuleUris = function(moduleUriMap) { for (var id in moduleUriMap) { this.moduleInfoMap_[id].setUris(moduleUriMap[id]); } }; /** * Gets the application-specific module loader. * @return {goog.module.AbstractModuleLoader} An object that has a * loadModules(ids, moduleInfoMap, opt_successFn, opt_errFn, * opt_timeoutFn, opt_forceReload) method. */ goog.module.ModuleManager.prototype.getLoader = function() { return this.loader_; }; /** * Sets the application-specific module loader. * @param {goog.module.AbstractModuleLoader} loader An object that has a * loadModules(ids, moduleInfoMap, opt_successFn, opt_errFn, * opt_timeoutFn, opt_forceReload) method. */ goog.module.ModuleManager.prototype.setLoader = function(loader) { this.loader_ = loader; }; /** * Gets the module context to use to initialize the module. * @return {Object} The context. */ goog.module.ModuleManager.prototype.getModuleContext = function() { return this.moduleContext_; }; /** * Sets the module context to use to initialize the module. * @param {Object} context The context. */ goog.module.ModuleManager.prototype.setModuleContext = function(context) { this.moduleContext_ = context; this.maybeFinishBaseLoad_(); }; /** * Determines if the ModuleManager is active * @return {boolean} TRUE iff the ModuleManager is active (i.e., not idle). */ goog.module.ModuleManager.prototype.isActive = function() { return this.loadingModuleIds_.length > 0; }; /** * Determines if the ModuleManager is user active * @return {boolean} TRUE iff the ModuleManager is user active (i.e., not idle). */ goog.module.ModuleManager.prototype.isUserActive = function() { return this.userInitiatedLoadingModuleIds_.length > 0; }; /** * Dispatches an ACTIVE or IDLE event if necessary. * @private */ goog.module.ModuleManager.prototype.dispatchActiveIdleChangeIfNeeded_ = function() { var lastActive = this.lastActive_; var active = this.isActive(); if (active != lastActive) { this.executeCallbacks_(active ? goog.module.ModuleManager.CallbackType.ACTIVE : goog.module.ModuleManager.CallbackType.IDLE); // Flip the last active value. this.lastActive_ = active; } // Check if the module manager is user active i.e., there are user initiated // modules being loaded or queued up to be loaded. var userLastActive = this.userLastActive_; var userActive = this.isUserActive(); if (userActive != userLastActive) { this.executeCallbacks_(userActive ? goog.module.ModuleManager.CallbackType.USER_ACTIVE : goog.module.ModuleManager.CallbackType.USER_IDLE); // Flip the last user active value. this.userLastActive_ = userActive; } }; /** * Preloads a module after a short delay. * * @param {string} id The id of the module to preload. * @param {number=} opt_timeout The number of ms to wait before adding the * module id to the loading queue (defaults to 0 ms). Note that the module * will be loaded asynchronously regardless of the value of this parameter. * @return {goog.async.Deferred} A deferred object. */ goog.module.ModuleManager.prototype.preloadModule = function( id, opt_timeout) { var d = new goog.async.Deferred(); window.setTimeout( goog.bind(this.addLoadModule_, this, id, d), opt_timeout || 0); return d; }; /** * Prefetches a JavaScript module and its dependencies, which means that the * module will be downloaded, but not evaluated. To complete the module load, * the caller should also call load or execOnLoad after prefetching the module. * * @param {string} id The id of the module to prefetch. */ goog.module.ModuleManager.prototype.prefetchModule = function(id) { var moduleInfo = this.getModuleInfo(id); if (moduleInfo.isLoaded() || this.isModuleLoading(id)) { throw Error('Module load already requested: ' + id); } else if (this.batchModeEnabled_) { throw Error('Modules prefetching is not supported in batch mode'); } else { var idWithDeps = this.getNotYetLoadedTransitiveDepIds_(id); for (var i = 0; i < idWithDeps.length; i++) { this.loader_.prefetchModule(idWithDeps[i], this.moduleInfoMap_[idWithDeps[i]]); } } }; /** * Loads a single module for use with a given deferred. * * @param {string} id The id of the module to load. * @param {goog.async.Deferred} d A deferred object. * @private */ goog.module.ModuleManager.prototype.addLoadModule_ = function(id, d) { var moduleInfo = this.getModuleInfo(id); if (moduleInfo.isLoaded()) { d.callback(this.moduleContext_); return; } this.registerModuleLoadCallbacks_(id, moduleInfo, false, d); if (!this.isModuleLoading(id)) { this.loadModulesOrEnqueue_([id]); } }; /** * Loads a list of modules or, if some other module is currently being loaded, * appends the ids to the queue of requested module ids. Registers callbacks a * module that is currently loading and returns a fired deferred for a module * that is already loaded. * * @param {Array.<string>} ids The id of the module to load. * @param {boolean=} opt_userInitiated If the load is a result of a user action. * @return {Object.<!goog.async.Deferred>} A mapping from id (String) to * deferred objects that will callback or errback when the load for that * id is finished. * @private */ goog.module.ModuleManager.prototype.loadModulesOrEnqueueIfNotLoadedOrLoading_ = function(ids, opt_userInitiated) { var uniqueIds = []; goog.array.removeDuplicates(ids, uniqueIds); var idsToLoad = []; var deferredMap = {}; for (var i = 0; i < uniqueIds.length; i++) { var id = uniqueIds[i]; var moduleInfo = this.getModuleInfo(id); goog.asserts.assertObject(moduleInfo, 'Unknown module: ' + id); var d = new goog.async.Deferred(); deferredMap[id] = d; if (moduleInfo.isLoaded()) { d.callback(this.moduleContext_); } else { this.registerModuleLoadCallbacks_(id, moduleInfo, !!opt_userInitiated, d); if (!this.isModuleLoading(id)) { idsToLoad.push(id); } } } // If there are ids to load, load them, otherwise, they are all loading or // loaded. if (idsToLoad.length > 0) { this.loadModulesOrEnqueue_(idsToLoad); } return deferredMap; }; /** * Registers the callbacks and handles logic if it is a user initiated module * load. * * @param {string} id The id of the module to possibly load. * @param {!goog.module.ModuleInfo} moduleInfo The module identifier for the * given id. * @param {boolean} userInitiated If the load was user initiated. * @param {goog.async.Deferred} d A deferred object. * @private */ goog.module.ModuleManager.prototype.registerModuleLoadCallbacks_ = function(id, moduleInfo, userInitiated, d) { moduleInfo.registerCallback(d.callback, d); moduleInfo.registerErrback(function(err) { d.errback(Error(err)); }); // If it's already loading, we don't have to do anything besides handle // if it was user initiated if (this.isModuleLoading(id)) { if (userInitiated) { this.logger_.info('User initiated module already loading: ' + id); this.addUserInitiatedLoadingModule_(id); this.dispatchActiveIdleChangeIfNeeded_(); } } else { if (userInitiated) { this.logger_.info('User initiated module load: ' + id); this.addUserInitiatedLoadingModule_(id); } else { this.logger_.info('Initiating module load: ' + id); } } }; /** * Initiates loading of a list of modules or, if a module is currently being * loaded, appends the modules to the queue of requested module ids. * * The caller should verify that the requested modules are not already loaded or * loading. {@link #loadModulesOrEnqueueIfNotLoadedOrLoading_} is a more lenient * alternative to this method. * * @param {Array.<string>} ids The ids of the modules to load. * @private */ goog.module.ModuleManager.prototype.loadModulesOrEnqueue_ = function(ids) { if (goog.array.isEmpty(this.loadingModuleIds_)) { this.loadModules_(ids); } else { this.requestedModuleIdsQueue_.push(ids); this.dispatchActiveIdleChangeIfNeeded_(); } }; /** * Gets the amount of delay to wait before sending a request for more modules. * If a certain module request fails, we backoff a little bit and try again. * @return {number} Delay, in ms. * @private */ goog.module.ModuleManager.prototype.getBackOff_ = function() { // 5 seconds after one error, 20 seconds after 2. return Math.pow(this.consecutiveFailures_, 2) * 5000; }; /** * Loads a list of modules and any of their not-yet-loaded prerequisites. * If batch mode is enabled, the prerequisites will be loaded together with the * requested modules and all requested modules will be loaded at the same time. * * The caller should verify that the requested modules are not already loaded * and that no modules are currently loading before calling this method. * * @param {Array.<string>} ids The ids of the modules to load. * @param {boolean=} opt_isRetry If the load is a retry of a previous load * attempt. * @param {boolean=} opt_forceReload Whether to bypass cache while loading the * module. * @private */ goog.module.ModuleManager.prototype.loadModules_ = function( ids, opt_isRetry, opt_forceReload) { if (!opt_isRetry) { this.consecutiveFailures_ = 0; } // Not all modules may be loaded immediately if batch mode is not enabled. var idsToLoadImmediately = this.processModulesForLoad_(ids); this.logger_.info('Loading module(s): ' + idsToLoadImmediately); this.loadingModuleIds_ = idsToLoadImmediately; if (this.batchModeEnabled_) { this.requestedLoadingModuleIds_ = ids; } else { // If batch mode is disabled, we treat each dependency load as a separate // load. this.requestedLoadingModuleIds_ = goog.array.clone(idsToLoadImmediately); } // Dispatch an active/idle change if needed. this.dispatchActiveIdleChangeIfNeeded_(); var loadFn = goog.bind(this.loader_.loadModules, this.loader_, goog.array.clone(idsToLoadImmediately), this.moduleInfoMap_, null, goog.bind(this.handleLoadError_, this), goog.bind(this.handleLoadTimeout_, this), !!opt_forceReload); var delay = this.getBackOff_(); if (delay) { window.setTimeout(loadFn, delay); } else { loadFn(); } }; /** * Processes a list of module ids for loading. Checks if any of the modules are * already loaded and then gets transitive deps. Queues any necessary modules * if batch mode is not enabled. Returns the list of ids that should be loaded. * * @param {Array.<string>} ids The ids that need to be loaded. * @return {Array.<string>} The ids to load, including dependencies. * @throws {Error} If the module is already loaded. * @private */ goog.module.ModuleManager.prototype.processModulesForLoad_ = function(ids) { for (var i = 0; i < ids.length; i++) { var moduleInfo = this.moduleInfoMap_[ids[i]]; if (moduleInfo.isLoaded()) { throw Error('Module already loaded: ' + ids[i]); } } // Build a list of the ids of this module and any of its not-yet-loaded // prerequisite modules in dependency order. var idsWithDeps = []; for (var i = 0; i < ids.length; i++) { idsWithDeps = idsWithDeps.concat( this.getNotYetLoadedTransitiveDepIds_(ids[i])); } goog.array.removeDuplicates(idsWithDeps); if (!this.batchModeEnabled_ && idsWithDeps.length > 1) { var idToLoad = idsWithDeps.shift(); this.logger_.info('Must load ' + idToLoad + ' module before ' + ids); // Insert the requested module id and any other not-yet-loaded prereqs // that it has at the front of the queue. var queuedModules = goog.array.map(idsWithDeps, function(id) { return [id]; }); this.requestedModuleIdsQueue_ = queuedModules.concat( this.requestedModuleIdsQueue_); return [idToLoad]; } else { return idsWithDeps; } }; /** * Builds a list of the ids of the not-yet-loaded modules that a particular * module transitively depends on, including itself. * * @param {string} id The id of a not-yet-loaded module. * @return {Array.<string>} An array of module ids in dependency order that's * guaranteed to end with the provided module id. * @private */ goog.module.ModuleManager.prototype.getNotYetLoadedTransitiveDepIds_ = function(id) { // NOTE(user): We want the earliest occurrance of a module, not the first // dependency we find. Therefore we strip duplicates at the end rather than // during. See the tests for concrete examples. var ids = [id]; var depIds = goog.array.clone(this.getModuleInfo(id).getDependencies()); while (depIds.length) { var depId = depIds.pop(); if (!this.getModuleInfo(depId).isLoaded()) { ids.unshift(depId); // We need to process direct dependencies first. Array.prototype.unshift.apply(depIds, this.getModuleInfo(depId).getDependencies()); } } goog.array.removeDuplicates(ids); return ids; }; /** * If we are still loading the base module, consider the load complete. * @private */ goog.module.ModuleManager.prototype.maybeFinishBaseLoad_ = function() { if (this.currentlyLoadingModule_ == this.baseModuleInfo_) { this.currentlyLoadingModule_ = null; var error = this.baseModuleInfo_.onLoad( goog.bind(this.getModuleContext, this)); if (error) { this.dispatchModuleLoadFailed_( goog.module.ModuleManager.FailureType.INIT_ERROR); } } }; /** * Records that a module was loaded. Also initiates loading the next module if * any module requests are queued. This method is called by code that is * generated and appended to each dynamic module's code at compilation time. * * @param {string} id A module id. */ goog.module.ModuleManager.prototype.setLoaded = function(id) { if (this.isDisposed()) { this.logger_.warning( 'Module loaded after module manager was disposed: ' + id); return; } this.logger_.info('Module loaded: ' + id); var error = this.moduleInfoMap_[id].onLoad( goog.bind(this.getModuleContext, this)); if (error) { this.dispatchModuleLoadFailed_( goog.module.ModuleManager.FailureType.INIT_ERROR); } // Remove the module id from the user initiated set if it existed there. goog.array.remove(this.userInitiatedLoadingModuleIds_, id); // Remove the module id from the loading modules if it exists there. goog.array.remove(this.loadingModuleIds_, id); if (goog.array.isEmpty(this.loadingModuleIds_)) { // No more modules are currently being loaded (e.g. arriving later in the // same HTTP response), so proceed to load the next module in the queue. this.loadNextModules_(); } // Dispatch an active/idle change if needed. this.dispatchActiveIdleChangeIfNeeded_(); }; /** * Gets whether a module is currently loading or in the queue, waiting to be * loaded. * @param {string} id A module id. * @return {boolean} TRUE iff the module is loading. */ goog.module.ModuleManager.prototype.isModuleLoading = function(id) { if (goog.array.contains(this.loadingModuleIds_, id)) { return true; } for (var i = 0; i < this.requestedModuleIdsQueue_.length; i++) { if (goog.array.contains(this.requestedModuleIdsQueue_[i], id)) { return true; } } return false; }; /** * Requests that a function be called once a particular module is loaded. * Client code can use this method to safely call into modules that may not yet * be loaded. For consistency, this method always calls the function * asynchronously -- even if the module is already loaded. Initiates loading of * the module if necessary, unless opt_noLoad is true. * * @param {string} moduleId A module id. * @param {Function} fn Function to execute when the module has loaded. * @param {Object=} opt_handler Optional handler under whose scope to execute * the callback. * @param {boolean=} opt_noLoad TRUE iff not to initiate loading of the module. * @param {boolean=} opt_userInitiated TRUE iff the loading of the module was * user initiated. * @param {boolean=} opt_preferSynchronous TRUE iff the function should be * executed synchronously if the module has already been loaded. * @return {goog.module.ModuleLoadCallback} A callback wrapper that exposes * an abort and execute method. */ goog.module.ModuleManager.prototype.execOnLoad = function( moduleId, fn, opt_handler, opt_noLoad, opt_userInitiated, opt_preferSynchronous) { var moduleInfo = this.moduleInfoMap_[moduleId]; var callbackWrapper; if (moduleInfo.isLoaded()) { this.logger_.info(moduleId + ' module already loaded'); // Call async so that code paths don't change between loaded and unloaded // cases. callbackWrapper = new goog.module.ModuleLoadCallback(fn, opt_handler); if (opt_preferSynchronous) { callbackWrapper.execute(this.moduleContext_); } else { window.setTimeout( goog.bind(callbackWrapper.execute, callbackWrapper), 0); } } else if (this.isModuleLoading(moduleId)) { this.logger_.info(moduleId + ' module already loading'); callbackWrapper = moduleInfo.registerCallback(fn, opt_handler); if (opt_userInitiated) { this.logger_.info('User initiated module already loading: ' + moduleId); this.addUserInitiatedLoadingModule_(moduleId); this.dispatchActiveIdleChangeIfNeeded_(); } } else { this.logger_.info('Registering callback for module: ' + moduleId); callbackWrapper = moduleInfo.registerCallback(fn, opt_handler); if (!opt_noLoad) { if (opt_userInitiated) { this.logger_.info('User initiated module load: ' + moduleId); this.addUserInitiatedLoadingModule_(moduleId); } this.logger_.info('Initiating module load: ' + moduleId); this.loadModulesOrEnqueue_([moduleId]); } } return callbackWrapper; }; /** * Loads a module, returning a goog.async.Deferred for keeping track of the * result. * * @param {string} moduleId A module id. * @param {boolean=} opt_userInitiated If the load is a result of a user action. * @return {goog.async.Deferred} A deferred object. */ goog.module.ModuleManager.prototype.load = function( moduleId, opt_userInitiated) { return this.loadModulesOrEnqueueIfNotLoadedOrLoading_( [moduleId], opt_userInitiated)[moduleId]; }; /** * Loads a list of modules, returning a goog.async.Deferred for keeping track of * the result. * * @param {Array.<string>} moduleIds A list of module ids. * @param {boolean=} opt_userInitiated If the load is a result of a user action. * @return {Object.<!goog.async.Deferred>} A mapping from id (String) to * deferred objects that will callback or errback when the load for that * id is finished. */ goog.module.ModuleManager.prototype.loadMultiple = function( moduleIds, opt_userInitiated) { return this.loadModulesOrEnqueueIfNotLoadedOrLoading_( moduleIds, opt_userInitiated); }; /** * Ensures that the module with the given id is listed as a user-initiated * module that is being loaded. This method guarantees that a module will never * get listed more than once. * @param {string} id Identifier of the module. * @private */ goog.module.ModuleManager.prototype.addUserInitiatedLoadingModule_ = function( id) { if (!goog.array.contains(this.userInitiatedLoadingModuleIds_, id)) { this.userInitiatedLoadingModuleIds_.push(id); } }; /** * Method called just before a module code is loaded. * @param {string} id Identifier of the module. */ goog.module.ModuleManager.prototype.beforeLoadModuleCode = function(id) { this.loadTracer_ = goog.debug.Trace.startTracer('Module Load: ' + id, 'Module Load'); if (this.currentlyLoadingModule_) { this.logger_.severe('beforeLoadModuleCode called with module "' + id + '" while module "' + this.currentlyLoadingModule_.getId() + '" is loading'); } this.currentlyLoadingModule_ = this.getModuleInfo(id); }; /** * Method called just after module code is loaded * @param {string} id Identifier of the module. */ goog.module.ModuleManager.prototype.afterLoadModuleCode = function(id) { if (!this.currentlyLoadingModule_ || id != this.currentlyLoadingModule_.getId()) { this.logger_.severe('afterLoadModuleCode called with module "' + id + '" while loading module "' + (this.currentlyLoadingModule_ && this.currentlyLoadingModule_.getId()) + '"'); } this.currentlyLoadingModule_ = null; goog.debug.Trace.stopTracer(this.loadTracer_); }; /** * Register an initialization callback for the currently loading module. This * should only be called by script that is executed during the evaluation of * a module's javascript. This is almost equivalent to calling the function * inline, but ensures that all the code from the currently loading module * has been loaded. This makes it cleaner and more robust than calling the * function inline. * * If this function is called from the base module (the one that contains * the module manager code), the callback is held until #setAllModuleInfo * is called, or until #setModuleContext is called, whichever happens first. * * @param {Function} fn A callback function that takes a single argument * which is the module context. * @param {Object=} opt_handler Optional handler under whose scope to execute * the callback. */ goog.module.ModuleManager.prototype.registerInitializationCallback = function( fn, opt_handler) { if (!this.currentlyLoadingModule_) { this.logger_.severe('No module is currently loading'); } else { this.currentlyLoadingModule_.registerEarlyCallback(fn, opt_handler); } }; /** * Register a late initialization callback for the currently loading module. * Callbacks registered via this function are executed similar to * {@see registerInitializationCallback}, but they are fired after all * initialization callbacks are called. * * @param {Function} fn A callback function that takes a single argument * which is the module context. * @param {Object=} opt_handler Optional handler under whose scope to execute * the callback. */ goog.module.ModuleManager.prototype.registerLateInitializationCallback = function(fn, opt_handler) { if (!this.currentlyLoadingModule_) { this.logger_.severe('No module is currently loading'); } else { this.currentlyLoadingModule_.registerCallback(fn, opt_handler); } }; /** * Sets the constructor to use for the module object for the currently * loading module. The constructor should derive from {@see * goog.module.BaseModule}. * @param {Function} fn The constructor function. */ goog.module.ModuleManager.prototype.setModuleConstructor = function(fn) { if (!this.currentlyLoadingModule_) { this.logger_.severe('No module is currently loading'); return; } this.currentlyLoadingModule_.setModuleConstructor(fn); }; /** * The possible reasons for a module load failure callback being fired. * @enum {number} */ goog.module.ModuleManager.FailureType = { /** 401 Status. */ UNAUTHORIZED: 0, /** Error status (not 401) returned multiple times. */ CONSECUTIVE_FAILURES: 1, /** Request timeout. */ TIMEOUT: 2, /** 410 status, old code gone. */ OLD_CODE_GONE: 3, /** The onLoad callbacks failed. */ INIT_ERROR: 4 }; /** * Handles a module load failure. * * @param {?number} status The error status. * @private */ goog.module.ModuleManager.prototype.handleLoadError_ = function(status) { this.consecutiveFailures_++; if (status == 401) { // The user is not logged in. They've cleared their cookies or logged out // from another window. this.logger_.info('Module loading unauthorized'); this.dispatchModuleLoadFailed_( goog.module.ModuleManager.FailureType.UNAUTHORIZED); // Drop any additional module requests. this.requestedModuleIdsQueue_.length = 0; } else if (status == 410) { // The requested module js is old and not available. this.requeueBatchOrDispatchFailure_( goog.module.ModuleManager.FailureType.OLD_CODE_GONE); this.loadNextModules_(); } else if (this.consecutiveFailures_ >= 3) { this.logger_.info('Aborting after failure to load: ' + this.loadingModuleIds_); this.requeueBatchOrDispatchFailure_( goog.module.ModuleManager.FailureType.CONSECUTIVE_FAILURES); this.loadNextModules_(); } else { this.logger_.info('Retrying after failure to load: ' + this.loadingModuleIds_); var forceReload = status == goog.module.ModuleManager.CORRUPT_RESPONSE_STATUS_CODE; this.loadModules_(this.requestedLoadingModuleIds_, true, forceReload); } }; /** * Handles a module load timeout. * @private */ goog.module.ModuleManager.prototype.handleLoadTimeout_ = function() { this.logger_.info('Aborting after timeout: ' + this.loadingModuleIds_); this.requeueBatchOrDispatchFailure_( goog.module.ModuleManager.FailureType.TIMEOUT); this.loadNextModules_(); }; /** * Requeues batch loads that had more than one requested module * (i.e. modules that were not included as dependencies) as separate loads or * if there was only one requested module, fails that module with the received * cause. * @param {goog.module.ModuleManager.FailureType} cause The reason for the * failure. * @private */ goog.module.ModuleManager.prototype.requeueBatchOrDispatchFailure_ = function(cause) { // The load failed, so if there are more than one requested modules, then we // need to retry each one as a separate load. Otherwise, if there is only one // requested module, remove it and its dependencies from the queue. if (this.requestedLoadingModuleIds_.length > 1) { var queuedModules = goog.array.map(this.requestedLoadingModuleIds_, function(id) { return [id]; }); this.requestedModuleIdsQueue_ = queuedModules.concat( this.requestedModuleIdsQueue_); } else { this.dispatchModuleLoadFailed_(cause); } }; /** * Handles when a module load failed. * @param {goog.module.ModuleManager.FailureType} cause The reason for the * failure. * @private */ goog.module.ModuleManager.prototype.dispatchModuleLoadFailed_ = function( cause) { var failedIds = this.requestedLoadingModuleIds_; this.loadingModuleIds_.length = 0; // If any pending modules depend on the id that failed, // they need to be removed from the queue. var idsToCancel = []; for (var i = 0; i < this.requestedModuleIdsQueue_.length; i++) { var dependentModules = goog.array.filter( this.requestedModuleIdsQueue_[i], /** * Returns true if the requestedId has dependencies on the modules that * just failed to load. * @param {string} requestedId The module to check for dependencies. * @return {boolean} True if the module depends on failed modules. */ function(requestedId) { var requestedDeps = this.getNotYetLoadedTransitiveDepIds_( requestedId); return goog.array.some(failedIds, function(id) { return goog.array.contains(requestedDeps, id); }); }, this); goog.array.extend(idsToCancel, dependentModules); } // Also insert the ids that failed to load as ids to cancel. for (var i = 0; i < failedIds.length; i++) { goog.array.insert(idsToCancel, failedIds[i]); } // Remove ids to cancel from the queues. for (var i = 0; i < idsToCancel.length; i++) { for (var j = 0; j < this.requestedModuleIdsQueue_.length; j++) { goog.array.remove(this.requestedModuleIdsQueue_[j], idsToCancel[i]); } goog.array.remove(this.userInitiatedLoadingModuleIds_, idsToCancel[i]); } // Call the functions for error notification. var errorCallbacks = this.callbackMap_[ goog.module.ModuleManager.CallbackType.ERROR]; if (errorCallbacks) { for (var i = 0; i < errorCallbacks.length; i++) { var callback = errorCallbacks[i]; for (var j = 0; j < idsToCancel.length; j++) { callback(goog.module.ModuleManager.CallbackType.ERROR, idsToCancel[j], cause); } } } // Call the errbacks on the module info. for (var i = 0; i < failedIds.length; i++) { if (this.moduleInfoMap_[failedIds[i]]) { this.moduleInfoMap_[failedIds[i]].onError(cause); } } // Clear the requested loading module ids. this.requestedLoadingModuleIds_.length = 0; this.dispatchActiveIdleChangeIfNeeded_(); }; /** * Loads the next modules on the queue. * @private */ goog.module.ModuleManager.prototype.loadNextModules_ = function() { while (this.requestedModuleIdsQueue_.length) { // Remove modules that are already loaded. var nextIds = goog.array.filter(this.requestedModuleIdsQueue_.shift(), /** @param {string} id The module id. */ function(id) { return !this.getModuleInfo(id).isLoaded(); }, this); if (nextIds.length > 0) { this.loadModules_(nextIds); return; } } // Dispatch an active/idle change if needed. this.dispatchActiveIdleChangeIfNeeded_(); }; /** * The function to call if the module manager is in error. * @param {goog.module.ModuleManager.CallbackType|Array.<goog.module.ModuleManager.CallbackType>} types * The callback type. * @param {Function} fn The function to register as a callback. */ goog.module.ModuleManager.prototype.registerCallback = function( types, fn) { if (!goog.isArray(types)) { types = [types]; } for (var i = 0; i < types.length; i++) { this.registerCallback_(types[i], fn); } }; /** * Register a callback for the specified callback type. * @param {goog.module.ModuleManager.CallbackType} type The callback type. * @param {Function} fn The callback function. * @private */ goog.module.ModuleManager.prototype.registerCallback_ = function(type, fn) { var callbackMap = this.callbackMap_; if (!callbackMap[type]) { callbackMap[type] = []; } callbackMap[type].push(fn); }; /** * Call the callback functions of the specified type. * @param {goog.module.ModuleManager.CallbackType} type The callback type. * @private */ goog.module.ModuleManager.prototype.executeCallbacks_ = function(type) { var callbacks = this.callbackMap_[type]; for (var i = 0; callbacks && i < callbacks.length; i++) { callbacks[i](type); } }; /** @override */ goog.module.ModuleManager.prototype.disposeInternal = function() { goog.module.ModuleManager.superClass_.disposeInternal.call(this); // Dispose of each ModuleInfo object. goog.disposeAll( goog.object.getValues(this.moduleInfoMap_), this.baseModuleInfo_); this.moduleInfoMap_ = null; this.loadingModuleIds_ = null; this.requestedLoadingModuleIds_ = null; this.userInitiatedLoadingModuleIds_ = null; this.requestedModuleIdsQueue_ = null; this.callbackMap_ = null; };
JavaScript
// Copyright 2008 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview A simple callback mechanism for notification about module * loads. Should be considered package-private to goog.module. * */ goog.provide('goog.module.ModuleLoadCallback'); goog.require('goog.debug.entryPointRegistry'); goog.require('goog.debug.errorHandlerWeakDep'); /** * Class used to encapsulate the callbacks to be called when a module loads. * @param {Function} fn Callback function. * @param {Object=} opt_handler Optional handler under whose scope to execute * the callback. * @constructor */ goog.module.ModuleLoadCallback = function(fn, opt_handler) { /** * Callback function. * @type {Function} * @private */ this.fn_ = fn; /** * Optional handler under whose scope to execute the callback. * @type {Object|undefined} * @private */ this.handler_ = opt_handler; }; /** * Completes the operation and calls the callback function if appropriate. * @param {*} context The module context. */ goog.module.ModuleLoadCallback.prototype.execute = function(context) { if (this.fn_) { this.fn_.call(this.handler_ || null, context); this.handler_ = null; this.fn_ = null; } }; /** * Abort the callback, but not the actual module load. */ goog.module.ModuleLoadCallback.prototype.abort = function() { this.fn_ = null; this.handler_ = null; }; // Register the browser event handler as an entry point, so that // it can be monitored for exception handling, etc. goog.debug.entryPointRegistry.register( /** * @param {function(!Function): !Function} transformer The transforming * function. */ function(transformer) { goog.module.ModuleLoadCallback.prototype.execute = transformer(goog.module.ModuleLoadCallback.prototype.execute); });
JavaScript
// Copyright 2006 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * * @fileoverview This class supports the dynamic loading of compiled * javascript modules at runtime, as descibed in the designdoc. * * <http://go/js_modules_design> * */ goog.provide('goog.module.Loader'); goog.require('goog.Timer'); goog.require('goog.array'); goog.require('goog.dom'); goog.require('goog.object'); /** * The dynamic loading functionality is defined as a class. The class * will be used as singleton. There is, however, a two step * initialization procedure because parameters need to be passed to * the goog.module.Loader instance. * * @constructor */ goog.module.Loader = function() { /** * Map of module name/array of {symbol name, callback} pairs that are pending * to be loaded. * @type {Object} * @private */ this.pending_ = {}; /** * Provides associative access to each module and the symbols of each module * that have aready been loaded (one lookup for the module, another lookup * on the module for the symbol). * @type {Object} * @private */ this.modules_ = {}; /** * Map of module name to module url. Used to avoid fetching the same URL * twice by keeping track of in-flight URLs. * Note: this allows two modules to be bundled into the same file. * @type {Object} * @private */ this.pendingModuleUrls_ = {}; /** * The base url to load modules from. This property will be set in init(). * @type {?string} * @private */ this.urlBase_ = null; /** * Array of modules that have been requested before init() was called. * If require() is called before init() was called, the required * modules can obviously not yet be loaded, because their URL is * unknown. The modules that are requested before init() are * therefore stored in this array, and they are loaded at init() * time. * @type {Array.<string>} * @private */ this.pendingBeforeInit_ = []; }; goog.addSingletonGetter(goog.module.Loader); /** * Creates a full URL to the compiled module code given a base URL and a * module name. By default it's urlBase + '_' + module + '.js'. * @param {string} urlBase URL to the module files. * @param {string} module Module name. * @return {string} The full url to the module binary. * @private */ goog.module.Loader.prototype.getModuleUrl_ = function(urlBase, module) { return urlBase + '_' + module + '.js'; }; /** * The globally exported name of the load callback. Matches the * definition in the js_modular_binary() BUILD rule. * @type {string} */ goog.module.Loader.LOAD_CALLBACK = '__gjsload__'; /** * Loads the module by evaluating the javascript text in the current * scope. Uncompiled, base identifiers are visible in the global scope; * when compiled they are visible in the closure of the anonymous * namespace. Notice that this cannot be replaced by the global eval, * because the global eval isn't in the scope of the anonymous * namespace function that the jscompiled code lives in. * * @param {string} t_ The javascript text to evaluate. IMPORTANT: The * name of the identifier is chosen so that it isn't compiled and * hence cannot shadow compiled identifiers in the surrounding scope. * @private */ goog.module.Loader.loaderEval_ = function(t_) { eval(t_); }; /** * Initializes the Loader to be fully functional. Also executes load * requests that were received before initialization. Must be called * exactly once, with the URL of the base library. Module URLs are * derived from the URL of the base library by inserting the module * name, preceded by a period, before the .js prefix of the base URL. * * @param {string} baseUrl The URL of the base library. * @param {Function=} opt_urlFunction Function that creates the URL for the * module file. It will be passed the base URL for module files and the * module name and should return the fully-formed URL to the module file to * load. */ goog.module.Loader.prototype.init = function(baseUrl, opt_urlFunction) { // For the use by the module wrappers, loaderEval_ is exported to // the page. Note that, despite the name, this is not part of the // API, so it is here and not in api_app.js. Cf. BUILD. Note this is // done before the first load requests are sent. goog.exportSymbol(goog.module.Loader.LOAD_CALLBACK, goog.module.Loader.loaderEval_); this.urlBase_ = baseUrl.replace('.js', ''); if (opt_urlFunction) { this.getModuleUrl_ = opt_urlFunction; } goog.array.forEach(this.pendingBeforeInit_, function(module) { this.load_(module); }, this); goog.array.clear(this.pendingBeforeInit_); }; /** * Requests the loading of a symbol from a module. When the module is * loaded, the requested symbol will be passed as argument to the * function callback. * * @param {string} module The name of the module. Usually, the value * is defined as a constant whose name starts with MOD_. * @param {number|string} symbol The ID of the symbol. Usually, the value is * defined as a constant whose name starts with SYM_. * @param {Function} callback This function will be called with the * resolved symbol as the argument once the module is loaded. */ goog.module.Loader.prototype.require = function(module, symbol, callback) { var pending = this.pending_; var modules = this.modules_; if (modules[module]) { // already loaded callback(modules[module][symbol]); } else if (pending[module]) { // loading is pending from another require of the same module pending[module].push([symbol, callback]); } else { // not loaded, and not requested pending[module] = [[symbol, callback]]; // Yes, really [[ ]]. // Defer loading to initialization if Loader is not yet // initialized, otherwise load the module. if (this.urlBase_) { this.load_(module); } else { this.pendingBeforeInit_.push(module); } } }; /** * Registers a symbol in a loaded module. When called without symbol, * registers the module to be fully loaded and executes all callbacks * from pending require() callbacks for this module. * * @param {string} module The name of the module. Cf. parameter module * of method require(). * @param {number|string=} opt_symbol The symbol being defined, or nothing when * all symbols of the module are defined. Cf. parameter symbol of method * require(). * @param {Object=} opt_object The object bound to the symbol, or nothing when * all symbols of the module are defined. */ goog.module.Loader.prototype.provide = function( module, opt_symbol, opt_object) { var modules = this.modules_; var pending = this.pending_; if (!modules[module]) { modules[module] = {}; } if (opt_object) { // When an object is provided, just register it. modules[module][opt_symbol] = opt_object; } else if (pending[module]) { // When no object is provided, and there are pending require() // callbacks for this module, execute them. for (var i = 0; i < pending[module].length; ++i) { var symbol = pending[module][i][0]; var callback = pending[module][i][1]; callback(modules[module][symbol]); } delete pending[module]; delete this.pendingModuleUrls_[module]; } }; /** * Starts to load a module. Assumes that init() was called. * * @param {string} module The name of the module. * @private */ goog.module.Loader.prototype.load_ = function(module) { // NOTE(user): If the module request happens inside a click handler // (presumably inside any user event handler, but the onload event // handler is fine), IE will load the script but not execute // it. Thus we break out of the current flow of control before we do // the load. For the record, for IE it would have been enough to // just defer the assignment to src. Safari doesn't execute the // script if the assignment to src happens *after* the script // element is inserted into the DOM. goog.Timer.callOnce(function() { // The module might have been registered in the interim (if fetched as part // of another module fetch because they share the same url) if (this.modules_[module]) { return; } var url = this.getModuleUrl_(this.urlBase_, module); // Check if specified URL is already in flight var urlInFlight = goog.object.containsValue(this.pendingModuleUrls_, url); this.pendingModuleUrls_[module] = url; if (urlInFlight) { return; } var s = goog.dom.createDom('script', {'type': 'text/javascript', 'src': url}); document.body.appendChild(s); }, 0, this); };
JavaScript
// Copyright 2009 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Tests for goog.module.ModuleLoader. * @author nicksantos@google.com (Nick Santos) */ goog.provide('goog.module.ModuleLoaderTest'); goog.require('goog.array'); goog.require('goog.dom'); goog.require('goog.functions'); goog.require('goog.module.ModuleLoader'); goog.require('goog.module.ModuleManager'); goog.require('goog.module.ModuleManager.CallbackType'); goog.require('goog.object'); goog.require('goog.testing.AsyncTestCase'); goog.require('goog.testing.PropertyReplacer'); goog.require('goog.testing.events.EventObserver'); goog.require('goog.testing.jsunit'); goog.require('goog.testing.recordFunction'); goog.require('goog.userAgent.product'); goog.setTestOnly('goog.module.ModuleLoaderTest'); var modA1Loaded = false; var modA2Loaded = false; var modB1Loaded = false; var moduleLoader = null; var moduleManager = null; var stubs = new goog.testing.PropertyReplacer(); var testCase = goog.testing.AsyncTestCase.createAndInstall(document.title); testCase.stepTimeout = 5 * 1000; // 5 seconds var EventType = goog.module.ModuleLoader.EventType; var observer; testCase.setUp = function() { modA1Loaded = false; modA2Loaded = false; modB1Loaded = false; goog.provide = goog.nullFunction; moduleManager = goog.module.ModuleManager.getInstance(); stubs.replace(moduleManager, 'getBackOff_', goog.functions.constant(0)); moduleLoader = new goog.module.ModuleLoader(); observer = new goog.testing.events.EventObserver(); goog.events.listen( moduleLoader, goog.object.getValues(EventType), observer); moduleManager.setLoader(moduleLoader); moduleManager.setAllModuleInfo({ 'modA': [], 'modB': ['modA'] }); moduleManager.setModuleUris({ 'modA': ['testdata/modA_1.js', 'testdata/modA_2.js'], 'modB': ['testdata/modB_1.js'] }); assertNotLoaded('modA'); assertNotLoaded('modB'); assertFalse(modA1Loaded); }; testCase.tearDown = function() { stubs.reset(); // Ensure that the module manager was created. assertNotNull(goog.module.ModuleManager.getInstance()); moduleManager = goog.module.ModuleManager.instance_ = null; // tear down the module loaded flag. modA1Loaded = false; // Remove all the fake scripts. var scripts = goog.array.clone( document.getElementsByTagName('SCRIPT')); for (var i = 0; i < scripts.length; i++) { if (scripts[i].src.indexOf('testdata') != -1) { goog.dom.removeNode(scripts[i]); } } }; function testLoadModuleA() { testCase.waitForAsync('wait for module A load'); moduleManager.execOnLoad('modA', function() { testCase.continueTesting(); assertLoaded('modA'); assertNotLoaded('modB'); assertTrue(modA1Loaded); assertEquals('EVALUATE_CODE', 0, observer.getEvents(EventType.EVALUATE_CODE).length); assertEquals('REQUEST_SUCCESS', 1, observer.getEvents(EventType.REQUEST_SUCCESS).length); assertArrayEquals( ['modA'], observer.getEvents(EventType.REQUEST_SUCCESS)[0].moduleIds); assertEquals('REQUEST_ERROR', 0, observer.getEvents(EventType.REQUEST_ERROR).length); }); } function testLoadModuleB() { testCase.waitForAsync('wait for module B load'); moduleManager.execOnLoad('modB', function() { testCase.continueTesting(); assertLoaded('modA'); assertLoaded('modB'); assertTrue(modA1Loaded); }); } function testLoadDebugModuleA() { testCase.waitForAsync('wait for module A load'); moduleLoader.setDebugMode(true); moduleManager.execOnLoad('modA', function() { testCase.continueTesting(); assertLoaded('modA'); assertNotLoaded('modB'); assertTrue(modA1Loaded); }); } function testLoadDebugModuleB() { testCase.waitForAsync('wait for module B load'); moduleLoader.setDebugMode(true); moduleManager.execOnLoad('modB', function() { testCase.continueTesting(); assertLoaded('modA'); assertLoaded('modB'); assertTrue(modA1Loaded); }); } function testLoadDebugModuleAThenB() { // Swap the script tags of module A, to introduce a race condition. // See the comments on this in ModuleLoader's debug loader. moduleManager.setModuleUris({ 'modA': ['testdata/modA_2.js', 'testdata/modA_1.js'], 'modB': ['testdata/modB_1.js'] }); testCase.waitForAsync('wait for module B load'); moduleLoader.setDebugMode(true); moduleManager.execOnLoad('modB', function() { testCase.continueTesting(); assertLoaded('modA'); assertLoaded('modB'); var scripts = goog.array.clone( document.getElementsByTagName('SCRIPT')); var seenLastScriptOfModuleA = false; for (var i = 0; i < scripts.length; i++) { var uri = scripts[i].src; if (uri.indexOf('modA_1.js') >= 0) { seenLastScriptOfModuleA = true; } else if (uri.indexOf('modB') >= 0) { assertTrue(seenLastScriptOfModuleA); } } }); } function testSourceInjection() { moduleLoader.setSourceUrlInjection(true); assertSourceInjection(); } function testSourceInjectionViaDebugMode() { moduleLoader.setDebugMode(true); assertSourceInjection(); } function assertSourceInjection() { testCase.waitForAsync('wait for module B load'); moduleManager.execOnLoad('modB', function() { testCase.continueTesting(); assertTrue(!!throwErrorInModuleB); var ex = assertThrows(function() { throwErrorInModuleB(); }); var stackTrace = ex.stack.toString(); var expectedString = 'testdata/modB_1.js'; if (goog.module.ModuleLoader.supportsSourceUrlStackTraces()) { // Source URL should be added in eval or in jsloader. assertContains(expectedString, stackTrace); } else if (moduleLoader.isDebugMode()) { // Browsers used jsloader, thus URLs are present. assertContains(expectedString, stackTrace); } else { // Browser used eval, does not support source URL. assertNotContains(expectedString, stackTrace); } }); } function testModuleLoaderRecursesTooDeep(opt_numModules) { // There was a bug in the module loader where it would retry recursively // whenever there was a synchronous failure in the module load. When you // asked for modB, it would try to load its dependency modA. When modA // failed, it would move onto modB, and then start over, repeating until it // ran out of stack. var numModules = opt_numModules || 1; var uris = {}; var deps = {}; var mods = []; for (var num = 0; num < numModules; num++) { var modName = 'mod' + num; mods.unshift(modName); uris[modName] = []; deps[modName] = num ? ['mod' + (num - 1)] : []; for (var i = 0; i < 5; i++) { uris[modName].push( 'http://www.google.com/crossdomain' + num + 'x' + i + '.js'); } } moduleManager.setAllModuleInfo(deps); moduleManager.setModuleUris(uris); // Make all XHRs throw an error, so that we test the error-handling // functionality. var oldXmlHttp = goog.net.XmlHttp; stubs.set(goog.net, 'XmlHttp', function() { return { open: goog.functions.error('mock error'), abort: goog.nullFunction }; }); goog.object.extend(goog.net.XmlHttp, oldXmlHttp); var errorCount = 0; var errorIds = []; var errorHandler = function(ignored, modId) { errorCount++; errorIds.push(modId); }; moduleManager.registerCallback( goog.module.ModuleManager.CallbackType.ERROR, errorHandler); moduleManager.execOnLoad(mods[0], function() { fail('modB should not load successfully'); }); assertEquals(mods.length, errorCount); goog.array.sort(mods); goog.array.sort(errorIds); assertArrayEquals(mods, errorIds); assertArrayEquals([], moduleManager.requestedModuleIdsQueue_); assertArrayEquals([], moduleManager.userInitiatedLoadingModuleIds_); } function testModuleLoaderRecursesTooDeep2modules() { testModuleLoaderRecursesTooDeep(2); } function testModuleLoaderRecursesTooDeep3modules() { testModuleLoaderRecursesTooDeep(3); } function testModuleLoaderRecursesTooDeep4modules() { testModuleLoaderRecursesTooDeep(3); } function testErrback() { // Don't run this test on IE, because the way the test runner catches // errors on IE plays badly with the simulated errors in the test. if (goog.userAgent.IE) return; // Modules will throw an exception if this boolean is set to true. modA1Loaded = true; var errorHandler = function() { testCase.continueTesting(); assertNotLoaded('modA'); }; moduleManager.registerCallback( goog.module.ModuleManager.CallbackType.ERROR, errorHandler); moduleManager.execOnLoad('modA', function() { fail('modA should not load successfully'); }); testCase.waitForAsync('wait for the error callback'); } function testPrefetchThenLoadModuleA() { moduleManager.prefetchModule('modA'); stubs.set(goog.net.BulkLoader.prototype, 'load', function() { fail('modA should not be reloaded') }); testCase.waitForAsync('wait for module A load'); moduleManager.execOnLoad('modA', function() { testCase.continueTesting(); assertLoaded('modA'); assertEquals('REQUEST_SUCCESS', 1, observer.getEvents(EventType.REQUEST_SUCCESS).length); assertArrayEquals( ['modA'], observer.getEvents(EventType.REQUEST_SUCCESS)[0].moduleIds); assertEquals('REQUEST_ERROR', 0, observer.getEvents(EventType.REQUEST_ERROR).length); }); } function testPrefetchThenLoadModuleB() { moduleManager.prefetchModule('modB'); stubs.set(goog.net.BulkLoader.prototype, 'load', function() { fail('modA and modB should not be reloaded') }); testCase.waitForAsync('wait for module B load'); moduleManager.execOnLoad('modB', function() { testCase.continueTesting(); assertLoaded('modA'); assertLoaded('modB'); assertEquals('REQUEST_SUCCESS', 2, observer.getEvents(EventType.REQUEST_SUCCESS).length); assertArrayEquals( ['modA'], observer.getEvents(EventType.REQUEST_SUCCESS)[0].moduleIds); assertArrayEquals( ['modB'], observer.getEvents(EventType.REQUEST_SUCCESS)[1].moduleIds); assertEquals('REQUEST_ERROR', 0, observer.getEvents(EventType.REQUEST_ERROR).length); }); } function testPrefetchModuleAThenLoadModuleB() { moduleManager.prefetchModule('modA'); testCase.waitForAsync('wait for module A load'); moduleManager.execOnLoad('modB', function() { testCase.continueTesting(); assertLoaded('modA'); assertLoaded('modB'); assertEquals('REQUEST_SUCCESS', 2, observer.getEvents(EventType.REQUEST_SUCCESS).length); assertArrayEquals( ['modA'], observer.getEvents(EventType.REQUEST_SUCCESS)[0].moduleIds); assertArrayEquals( ['modB'], observer.getEvents(EventType.REQUEST_SUCCESS)[1].moduleIds); assertEquals('REQUEST_ERROR', 0, observer.getEvents(EventType.REQUEST_ERROR).length); }); } function testLoadModuleBThenPrefetchModuleA() { testCase.waitForAsync('wait for module A load'); moduleManager.execOnLoad('modB', function() { testCase.continueTesting(); assertLoaded('modA'); assertLoaded('modB'); assertEquals('REQUEST_SUCCESS', 2, observer.getEvents(EventType.REQUEST_SUCCESS).length); assertArrayEquals( ['modA'], observer.getEvents(EventType.REQUEST_SUCCESS)[0].moduleIds); assertArrayEquals( ['modB'], observer.getEvents(EventType.REQUEST_SUCCESS)[1].moduleIds); assertEquals('REQUEST_ERROR', 0, observer.getEvents(EventType.REQUEST_ERROR).length); assertThrows('Module load already requested: modB', function() { moduleManager.prefetchModule('modA') }); }); } function testPrefetchModuleWithBatchModeEnabled() { moduleManager.setBatchModeEnabled(true); assertThrows('Modules prefetching is not supported in batch mode', function() { moduleManager.prefetchModule('modA'); }); } function testLoadErrorCallbackExecutedWhenPrefetchFails() { // Make all XHRs throw an error, so that we test the error-handling // functionality. var oldXmlHttp = goog.net.XmlHttp; stubs.set(goog.net, 'XmlHttp', function() { return { open: goog.functions.error('mock error'), abort: goog.nullFunction }; }); goog.object.extend(goog.net.XmlHttp, oldXmlHttp); var errorCount = 0; var errorHandler = function() { errorCount++; }; moduleManager.registerCallback( goog.module.ModuleManager.CallbackType.ERROR, errorHandler); moduleLoader.prefetchModule('modA', moduleManager.moduleInfoMap_['modA']); moduleLoader.loadModules(['modA'], moduleManager.moduleInfoMap_, function() { fail('modA should not load successfully') }, errorHandler); assertEquals(1, errorCount); } function assertLoaded(id) { assertTrue(moduleManager.getModuleInfo(id).isLoaded()); } function assertNotLoaded(id) { assertFalse(moduleManager.getModuleInfo(id).isLoaded()); }
JavaScript
// Copyright 2008 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview The module loader for loading modules across the network. * * Browsers do not guarantee that scripts appended to the document * are executed in the order they are added. For production mode, we use * XHRs to load scripts, because they do not have this problem and they * have superior mechanisms for handling failure. However, XHR-evaled * scripts are harder to debug. * * In debugging mode, we use normal script tags. In order to make this work, * we load the scripts in serial: we do not execute script B to the document * until we are certain that script A is finished loading. * */ goog.provide('goog.module.ModuleLoader'); goog.require('goog.Timer'); goog.require('goog.array'); goog.require('goog.debug.Logger'); goog.require('goog.events'); goog.require('goog.events.Event'); goog.require('goog.events.EventHandler'); goog.require('goog.events.EventTarget'); goog.require('goog.module.AbstractModuleLoader'); goog.require('goog.net.BulkLoader'); goog.require('goog.net.EventType'); goog.require('goog.net.jsloader'); goog.require('goog.userAgent.product'); /** * A class that loads Javascript modules. * @constructor * @extends {goog.events.EventTarget} * @implements {goog.module.AbstractModuleLoader} */ goog.module.ModuleLoader = function() { goog.base(this); /** * Event handler for managing handling events. * @type {goog.events.EventHandler} * @private */ this.eventHandler_ = new goog.events.EventHandler(this); /** * A map from module IDs to goog.module.ModuleLoader.LoadStatus. * @type {!Object.<Array.<string>, goog.module.ModuleLoader.LoadStatus>} * @private */ this.loadingModulesStatus_ = {}; }; goog.inherits(goog.module.ModuleLoader, goog.events.EventTarget); /** * A logger. * @type {goog.debug.Logger} * @protected */ goog.module.ModuleLoader.prototype.logger = goog.debug.Logger.getLogger( 'goog.module.ModuleLoader'); /** * Whether debug mode is enabled. * @type {boolean} * @private */ goog.module.ModuleLoader.prototype.debugMode_ = false; /** * Whether source url injection is enabled. * @type {boolean} * @private */ goog.module.ModuleLoader.prototype.sourceUrlInjection_ = false; /** * @return {boolean} Whether sourceURL affects stack traces. * Chrome is currently the only browser that does this, but * we believe other browsers are working on this. * @see http://bugzilla.mozilla.org/show_bug.cgi?id=583083 */ goog.module.ModuleLoader.supportsSourceUrlStackTraces = function() { return goog.userAgent.product.CHROME; }; /** * @return {boolean} Whether sourceURL affects the debugger. */ goog.module.ModuleLoader.supportsSourceUrlDebugger = function() { return goog.userAgent.product.CHROME || goog.userAgent.GECKO; }; /** * Gets the debug mode for the loader. * @return {boolean} Whether the debug mode is enabled. */ goog.module.ModuleLoader.prototype.getDebugMode = function() { return this.debugMode_; }; /** * Sets the debug mode for the loader. * @param {boolean} debugMode Whether the debug mode is enabled. */ goog.module.ModuleLoader.prototype.setDebugMode = function(debugMode) { this.debugMode_ = debugMode; }; /** * When enabled, we will add a sourceURL comment to the end of all scripts * to mark their origin. * * On WebKit, stack traces will refect the sourceURL comment, so this is * useful for debugging webkit stack traces in production. * * Notice that in debug mode, we will use source url injection + eval rather * then appending script nodes to the DOM, because the scripts will load far * faster. (Appending script nodes is very slow, because we can't parallelize * the downloading and evaling of the script). * * The cost of appending sourceURL information is negligible when compared to * the cost of evaling the script. Almost all clients will want this on. * * TODO(nicksantos): Turn this on by default. We may want to turn this off * for clients that inject their own sourceURL. * * @param {boolean} enabled Whether source url injection is enabled. */ goog.module.ModuleLoader.prototype.setSourceUrlInjection = function(enabled) { this.sourceUrlInjection_ = enabled; }; /** * @return {boolean} Whether we're using source url injection. * @private */ goog.module.ModuleLoader.prototype.usingSourceUrlInjection_ = function() { return this.sourceUrlInjection_ || (this.getDebugMode() && goog.module.ModuleLoader.supportsSourceUrlStackTraces()); }; /** @override */ goog.module.ModuleLoader.prototype.loadModules = function( ids, moduleInfoMap, opt_successFn, opt_errorFn, opt_timeoutFn, opt_forceReload) { var loadStatus = this.loadingModulesStatus_[ids] || new goog.module.ModuleLoader.LoadStatus(); loadStatus.loadRequested = true; loadStatus.successFn = opt_successFn || null; loadStatus.errorFn = opt_errorFn || null; if (!this.loadingModulesStatus_[ids]) { // Modules were not prefetched. this.loadingModulesStatus_[ids] = loadStatus; this.downloadModules_(ids, moduleInfoMap); // TODO(user): Need to handle timeouts in the module loading code. } else if (goog.isDefAndNotNull(loadStatus.responseTexts)) { // Modules prefetch is complete. this.evaluateCode_(ids); } // Otherwise modules prefetch is in progress, and these modules will be // executed after the prefetch is complete. }; /** * Evaluate the JS code. * @param {Array.<string>} moduleIds The module ids. * @private */ goog.module.ModuleLoader.prototype.evaluateCode_ = function(moduleIds) { this.dispatchEvent(new goog.module.ModuleLoader.Event( goog.module.ModuleLoader.EventType.REQUEST_SUCCESS, moduleIds)); this.logger.info('evaluateCode ids:' + moduleIds); var success = true; var loadStatus = this.loadingModulesStatus_[moduleIds]; var uris = loadStatus.requestUris; var texts = loadStatus.responseTexts; try { if (this.usingSourceUrlInjection_()) { for (var i = 0; i < uris.length; i++) { var uri = uris[i]; goog.globalEval(texts[i] + ' //@ sourceURL=' + uri); } } else { goog.globalEval(texts.join('\n')); } } catch (e) { success = false; // TODO(user): Consider throwing an exception here. this.logger.warning('Loaded incomplete code for module(s): ' + moduleIds, e); } this.dispatchEvent( new goog.module.ModuleLoader.Event( goog.module.ModuleLoader.EventType.EVALUATE_CODE, moduleIds)); if (!success) { this.handleErrorHelper_(moduleIds, loadStatus.errorFn, null /* status */); } else if (loadStatus.successFn) { loadStatus.successFn(); } delete this.loadingModulesStatus_[moduleIds]; }; /** * Handles a successful response to a request for prefetch or load one or more * modules. * * @param {goog.net.BulkLoader} bulkLoader The bulk loader. * @param {Array.<string>} moduleIds The ids of the modules requested. * @private */ goog.module.ModuleLoader.prototype.handleSuccess_ = function( bulkLoader, moduleIds) { this.logger.info('Code loaded for module(s): ' + moduleIds); var loadStatus = this.loadingModulesStatus_[moduleIds]; loadStatus.responseTexts = bulkLoader.getResponseTexts(); if (loadStatus.loadRequested) { this.evaluateCode_(moduleIds); } // NOTE: A bulk loader instance is used for loading a set of module ids. // Once these modules have been loaded successfully or in error the bulk // loader should be disposed as it is not needed anymore. A new bulk loader // is instantiated for any new modules to be loaded. The dispose is called // on a timer so that the bulkloader has a chance to release its // objects. goog.Timer.callOnce(bulkLoader.dispose, 5, bulkLoader); }; /** @override */ goog.module.ModuleLoader.prototype.prefetchModule = function( id, moduleInfo) { // Do not prefetch in debug mode. if (this.getDebugMode()) { return; } var loadStatus = this.loadingModulesStatus_[[id]]; if (loadStatus) { return; } var moduleInfoMap = {}; moduleInfoMap[id] = moduleInfo; this.loadingModulesStatus_[[id]] = new goog.module.ModuleLoader.LoadStatus(); this.downloadModules_([id], moduleInfoMap); }; /** * Downloads a list of JavaScript modules. * * @param {Array.<string>} ids The module ids in dependency order. * @param {Object} moduleInfoMap A mapping from module id to ModuleInfo object. * @private */ goog.module.ModuleLoader.prototype.downloadModules_ = function( ids, moduleInfoMap) { var uris = []; for (var i = 0; i < ids.length; i++) { goog.array.extend(uris, moduleInfoMap[ids[i]].getUris()); } this.logger.info('downloadModules ids:' + ids + ' uris:' + uris); if (this.getDebugMode() && !this.usingSourceUrlInjection_()) { // In debug mode use <script> tags rather than XHRs to load the files. // This makes it possible to debug and inspect stack traces more easily. // It's also possible to use it to load JavaScript files that are hosted on // another domain. // The scripts need to load serially, so this is much slower than parallel // script loads with source url injection. goog.net.jsloader.loadMany(uris); } else { var loadStatus = this.loadingModulesStatus_[ids]; loadStatus.requestUris = uris; var bulkLoader = new goog.net.BulkLoader(uris); var eventHandler = this.eventHandler_; eventHandler.listen( bulkLoader, goog.net.EventType.SUCCESS, goog.bind(this.handleSuccess_, this, bulkLoader, ids), false, null); eventHandler.listen( bulkLoader, goog.net.EventType.ERROR, goog.bind(this.handleError_, this, bulkLoader, ids), false, null); bulkLoader.load(); } }; /** * Handles an error during a request for one or more modules. * @param {goog.net.BulkLoader} bulkLoader The bulk loader. * @param {Array.<string>} moduleIds The ids of the modules requested. * @param {number} status The response status. * @private */ goog.module.ModuleLoader.prototype.handleError_ = function( bulkLoader, moduleIds, status) { var loadStatus = this.loadingModulesStatus_[moduleIds]; // The bulk loader doesn't cancel other requests when a request fails. We will // delete the loadStatus in the first failure, so it will be undefined in // subsequent errors. if (loadStatus) { delete this.loadingModulesStatus_[moduleIds]; this.handleErrorHelper_(moduleIds, loadStatus.errorFn, status); } // NOTE: A bulk loader instance is used for loading a set of module ids. Once // these modules have been loaded successfully or in error the bulk loader // should be disposed as it is not needed anymore. A new bulk loader is // instantiated for any new modules to be loaded. The dispose is called // on another thread so that the bulkloader has a chance to release its // objects. goog.Timer.callOnce(bulkLoader.dispose, 5, bulkLoader); }; /** * Handles an error during a request for one or more modules. * @param {Array.<string>} moduleIds The ids of the modules requested. * @param {?function(?number)} errorFn The function to call on failure. * @param {?number} status The response status. * @private */ goog.module.ModuleLoader.prototype.handleErrorHelper_ = function( moduleIds, errorFn, status) { this.dispatchEvent( new goog.module.ModuleLoader.Event( goog.module.ModuleLoader.EventType.REQUEST_ERROR, moduleIds)); this.logger.warning('Request failed for module(s): ' + moduleIds); if (errorFn) { errorFn(status); } }; /** @override */ goog.module.ModuleLoader.prototype.disposeInternal = function() { goog.module.ModuleLoader.superClass_.disposeInternal.call(this); this.eventHandler_.dispose(); this.eventHandler_ = null; }; /** * @enum {string} */ goog.module.ModuleLoader.EventType = { /** Called after the code for a module is evaluated. */ EVALUATE_CODE: goog.events.getUniqueId('evaluateCode'), /** Called when the BulkLoader finishes successfully. */ REQUEST_SUCCESS: goog.events.getUniqueId('requestSuccess'), /** Called when the BulkLoader fails, or code loading fails. */ REQUEST_ERROR: goog.events.getUniqueId('requestError') }; /** * @param {goog.module.ModuleLoader.EventType} type The type. * @param {Array.<string>} moduleIds The ids of the modules being evaluated. * @constructor * @extends {goog.events.Event} */ goog.module.ModuleLoader.Event = function(type, moduleIds) { goog.base(this, type); /** * @type {Array.<string>} */ this.moduleIds = moduleIds; }; goog.inherits(goog.module.ModuleLoader.Event, goog.events.Event); /** * A class that keeps the state of the module during the loading process. It is * used to save loading information between modules download and evaluation. * @constructor */ goog.module.ModuleLoader.LoadStatus = function() { /** * The request uris. * @type {Array.<string>} */ this.requestUris = null; /** * The response texts. * @type {Array.<string>} */ this.responseTexts = null; /** * Whether loadModules was called for the set of modules referred by this * status. * @type {boolean} */ this.loadRequested = false; /** * Success callback. * @type {?function()} */ this.successFn = null; /** * Error callback. * @type {?function(?number)} */ this.errorFn = null; };
JavaScript
// Copyright 2009 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview An interface for module loading. * */ goog.provide('goog.module.AbstractModuleLoader'); /** * An interface that loads JavaScript modules. * @interface */ goog.module.AbstractModuleLoader = function() {}; /** * Loads a list of JavaScript modules. * * @param {Array.<string>} ids The module ids in dependency order. * @param {Object} moduleInfoMap A mapping from module id to ModuleInfo object. * @param {function()?=} opt_successFn The callback if module loading is a * success. * @param {function(?number)?=} opt_errorFn The callback if module loading is an * error. * @param {function()?=} opt_timeoutFn The callback if module loading times out. * @param {boolean=} opt_forceReload Whether to bypass cache while loading the * module. */ goog.module.AbstractModuleLoader.prototype.loadModules = function( ids, moduleInfoMap, opt_successFn, opt_errorFn, opt_timeoutFn, opt_forceReload) {}; /** * Pre-fetches a JavaScript module. * * @param {string} id The module id. * @param {!goog.module.ModuleInfo} moduleInfo The module info. */ goog.module.AbstractModuleLoader.prototype.prefetchModule = function( id, moduleInfo) {};
JavaScript
// Copyright 2006 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * * @fileoverview This class supports the dynamic loading of compiled * javascript modules at runtime, as descibed in the designdoc. * * <http://go/js_modules_design> * */ goog.provide('goog.module'); goog.require('goog.array'); goog.require('goog.module.Loader'); /** * Wrapper of goog.module.Loader.require() for use in modules. * See method goog.module.Loader.require() for * explanation of params. * * @param {string} module The name of the module. Usually, the value * is defined as a constant whose name starts with MOD_. * @param {number|string} symbol The ID of the symbol. Usually, the value is * defined as a constant whose name starts with SYM_. * @param {Function} callback This function will be called with the * resolved symbol as the argument once the module is loaded. */ goog.module.require = function(module, symbol, callback) { goog.module.Loader.getInstance().require(module, symbol, callback); }; /** * Wrapper of goog.module.Loader.provide() for use in modules * See method goog.module.Loader.provide() for explanation of params. * * @param {string} module The name of the module. Cf. parameter module * of method require(). * @param {number|string=} opt_symbol The symbol being defined, or nothing * when all symbols of the module are defined. Cf. parameter symbol of * method require(). * @param {Object=} opt_object The object bound to the symbol, or nothing when * all symbols of the module are defined. */ goog.module.provide = function(module, opt_symbol, opt_object) { goog.module.Loader.getInstance().provide( module, opt_symbol, opt_object); }; /** * Wrapper of init() so that we only need to export this single * identifier instead of three. See method goog.module.Loader.init() for * explanation of param. * * @param {string} urlBase The URL of the base library. * @param {Function=} opt_urlFunction Function that creates the URL for the * module file. It will be passed the base URL for module files and the * module name and should return the fully-formed URL to the module file to * load. */ goog.module.initLoader = function(urlBase, opt_urlFunction) { goog.module.Loader.getInstance().init(urlBase, opt_urlFunction); }; /** * Produces a function that delegates all its arguments to a * dynamically loaded function. This is used to export dynamically * loaded functions. * * @param {string} module The module to load from. * @param {number|string} symbol The ID of the symbol to load from the module. * This symbol must resolve to a function. * @return {!Function} A function that forwards all its arguments to * the dynamically loaded function specified by module and symbol. */ goog.module.loaderCall = function(module, symbol) { return function() { var args = arguments; goog.module.require(module, symbol, function(f) { f.apply(null, args); }); }; }; /** * Requires symbols for multiple modules, and invokes a final callback * on the condition that all of them are loaded. I.e. a barrier for * loading of multiple symbols. If no symbols are required, the * final callback is called immediately. * * @param {Array.<Object>} symbolRequests A * list of tuples of module, symbol, callback (analog to the arguments * to require(), above). These will each be require()d * individually. NOTE: This argument will be modified during execution * of the function. * @param {Function} finalCb A function that is called when all * required symbols are loaded. */ goog.module.requireMultipleSymbols = function(symbolRequests, finalCb) { var I = symbolRequests.length; if (I == 0) { finalCb(); } else { for (var i = 0; i < I; ++i) { goog.module.requireMultipleSymbolsHelper_(symbolRequests, i, finalCb); } } }; /** * Used by requireMultipleSymbols() to load each required symbol and * keep track how many are loaded, and finally invoke the barrier * callback when they are all done. * * @param {Array.<Object>} symbolRequests Same as in * requireMultipleSymbols(). * @param {number} i The single module that is required in this invocation. * @param {Function} finalCb Same as in requireMultipleSymbols(). * @private */ goog.module.requireMultipleSymbolsHelper_ = function(symbolRequests, i, finalCb) { var r = symbolRequests[i]; var module = r[0]; var symbol = r[1]; var symbolCb = r[2]; goog.module.require(module, symbol, function() { symbolCb.apply(this, arguments); symbolRequests[i] = null; if (goog.array.every(symbolRequests, goog.module.isNull_)) { finalCb(); } }); }; /** * Checks if the given element is null. * * @param {Object} el The element to check if null. * @param {number} i The index of the element. * @param {Array.<Object>} arr The array that contains the element. * @return {boolean} TRUE iff the element is null. * @private */ goog.module.isNull_ = function(el, i, arr) { return el == null; };
JavaScript
// Copyright 2013 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Utilities for string newlines. * @author nnaze@google.com (Nathan Naze) */ /** * Namespace for string utilities */ goog.provide('goog.string.newlines'); goog.require('goog.array'); /** * Splits a string into lines, properly handling universal newlines. * @param {string} str String to split. * @param {boolean=} opt_keepNewlines Whether to keep the newlines in the * resulting strings. Defaults to false. * @return {!Array.<string>} String split into lines. */ goog.string.newlines.splitLines = function(str, opt_keepNewlines) { var lines = goog.string.newlines.getLines(str); return goog.array.map(lines, function(line) { return opt_keepNewlines ? line.getFullLine() : line.getContent(); }); }; /** * Line metadata class that records the start/end indicies of lines * in a string. Can be used to implement common newline use cases such as * splitLines() or determining line/column of an index in a string. * Also implements methods to get line contents. * * Indexes are expressed as string indicies into string.substring(), inclusive * at the start, exclusive at the end. * * Create an array of these with goog.string.newlines.getLines(). * @param {string} string The original string. * @param {number} startLineIndex The index of the start of the line. * @param {number} endContentIndex The index of the end of the line, excluding * newlines. * @param {number} endLineIndex The index of the end of the line, index * newlines. * @constructor * @struct */ goog.string.newlines.Line = function(string, startLineIndex, endContentIndex, endLineIndex) { /** * The original string. * @type {string} */ this.string = string; /** * Index of the start of the line. * @type {number} */ this.startLineIndex = startLineIndex; /** * Index of the end of the line, excluding any newline characters. * Index is the first character after the line, suitable for * String.substring(). * @type {number} */ this.endContentIndex = endContentIndex; /** * Index of the end of the line, excluding any newline characters. * Index is the first character after the line, suitable for * String.substring(). * @type {number} */ this.endLineIndex = endLineIndex; }; /** * @return {string} The content of the line, excluding any newline characters. */ goog.string.newlines.Line.prototype.getContent = function() { return this.string.substring(this.startLineIndex, this.endContentIndex); }; /** * @return {string} The full line, including any newline characters. */ goog.string.newlines.Line.prototype.getFullLine = function() { return this.string.substring(this.startLineIndex, this.endLineIndex); }; /** * @return {string} The newline characters, if any ('\n', \r', '\r\n', '', etc). */ goog.string.newlines.Line.prototype.getNewline = function() { return this.string.substring(this.endContentIndex, this.endLineIndex); }; /** * Splits a string into an array of line metadata. * @param {string} str String to split. * @return {!Array.<!goog.string.newlines.Line>} Array of line metadata. */ goog.string.newlines.getLines = function(str) { // We use the constructor because literals are evaluated only once in // < ES 3.1. // See http://www.mail-archive.com/es-discuss@mozilla.org/msg01796.html var re = RegExp('\r\n|\r|\n', 'g'); var sliceIndex = 0; var result; var lines = []; while (result = re.exec(str)) { var line = new goog.string.newlines.Line( str, sliceIndex, result.index, result.index + result[0].length); lines.push(line); // remember where to start the slice from sliceIndex = re.lastIndex; } // If the string does not end with a newline, add the last line. if (sliceIndex < str.length) { var line = new goog.string.newlines.Line( str, sliceIndex, str.length, str.length); lines.push(line); } return lines; };
JavaScript
// Copyright 2006 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Utility for fast string concatenation. */ goog.provide('goog.string.StringBuffer'); /** * Utility class to facilitate string concatenation. * * @param {*=} opt_a1 Optional first initial item to append. * @param {...*} var_args Other initial items to * append, e.g., new goog.string.StringBuffer('foo', 'bar'). * @constructor */ goog.string.StringBuffer = function(opt_a1, var_args) { if (opt_a1 != null) { this.append.apply(this, arguments); } }; /** * Internal buffer for the string to be concatenated. * @type {string} * @private */ goog.string.StringBuffer.prototype.buffer_ = ''; /** * Sets the contents of the string buffer object, replacing what's currently * there. * * @param {*} s String to set. */ goog.string.StringBuffer.prototype.set = function(s) { this.buffer_ = '' + s; }; /** * Appends one or more items to the buffer. * * Calling this with null, undefined, or empty arguments is an error. * * @param {*} a1 Required first string. * @param {*=} opt_a2 Optional second string. * @param {...*} var_args Other items to append, * e.g., sb.append('foo', 'bar', 'baz'). * @return {goog.string.StringBuffer} This same StringBuffer object. * @suppress {duplicate} */ goog.string.StringBuffer.prototype.append = function(a1, opt_a2, var_args) { // Use a1 directly to avoid arguments instantiation for single-arg case. this.buffer_ += a1; if (opt_a2 != null) { // second argument is undefined (null == undefined) for (var i = 1; i < arguments.length; i++) { this.buffer_ += arguments[i]; } } return this; }; /** * Clears the internal buffer. */ goog.string.StringBuffer.prototype.clear = function() { this.buffer_ = ''; }; /** * @return {number} the length of the current contents of the buffer. */ goog.string.StringBuffer.prototype.getLength = function() { return this.buffer_.length; }; /** * @return {string} The concatenated string. * @override */ goog.string.StringBuffer.prototype.toString = function() { return this.buffer_; };
JavaScript
// Copyright 2006 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Unit tests for goog.string. */ /** @suppress {extraProvide} */ goog.provide('goog.stringTest'); goog.require('goog.functions'); goog.require('goog.object'); goog.require('goog.string'); goog.require('goog.testing.PropertyReplacer'); goog.require('goog.testing.jsunit'); goog.setTestOnly('goog.stringTest'); var stubs = new goog.testing.PropertyReplacer(); function tearDown() { stubs.reset(); } //=== tests for goog.string.collapseWhitespace === function testCollapseWhiteSpace() { var f = goog.string.collapseWhitespace; assertEquals('Leading spaces not stripped', f(' abc'), 'abc'); assertEquals('Trailing spaces not stripped', f('abc '), 'abc'); assertEquals('Wrapping spaces not stripped', f(' abc '), 'abc'); assertEquals('All white space chars not stripped', f('\xa0\n\t abc\xa0\n\t '), 'abc'); assertEquals('Spaces not collapsed', f('a b c'), 'a b c'); assertEquals('Tabs not collapsed', f('a\t\t\tb\tc'), 'a b c'); assertEquals('All check failed', f(' \ta \t \t\tb\t\n\xa0 c \t\n'), 'a b c'); } //=== tests for goog.string.isEmpty === function testIsEmpty() { assert('1. Should be empty', goog.string.isEmpty('')); assert('2. Should be empty', goog.string.isEmpty(' ')); assert('3. Should be empty', goog.string.isEmpty(' ')); assert('4. Should be empty', goog.string.isEmpty(' \t\t\n\xa0 ')); assert('1. Should not be empty', !goog.string.isEmpty(' abc \t\xa0')); assert('2. Should not be empty', !goog.string.isEmpty(' a b c \t')); assert('3. Should not be empty', !goog.string.isEmpty(';')); var a; assert('Undefined is not empty', !goog.string.isEmpty(a)); assert('Null is not empty', !goog.string.isEmpty(null)); assert('A random object is not empty', !goog.string.isEmpty({a: 1, b: 2})); } //=== tests for goog.string.isEmptySafe === function testIsEmptySafe() { assert('1. Should be empty', goog.string.isEmptySafe('')); assert('2. Should be empty', goog.string.isEmptySafe(' ')); assert('3. Should be empty', goog.string.isEmptySafe(' ')); assert('4. Should be empty', goog.string.isEmptySafe(' \t\t\n\xa0 ')); assert('1. Should not be empty', !goog.string.isEmptySafe(' abc \t\xa0')); assert('2. Should not be empty', !goog.string.isEmptySafe(' a b c \t')); assert('3. Should not be empty', !goog.string.isEmptySafe(';')); var a; assert('Undefined should be empty (safe)', goog.string.isEmptySafe(a)); assert('Null should be empty (safe)', goog.string.isEmptySafe(null)); assert('A random object is not empty', !goog.string.isEmptySafe({a: 1, b: 2})); } //=== tests for goog.string.isAlpha === function testIsAlpha() { assertTrue('"a" should be alpha', goog.string.isAlpha('a')); assertTrue('"n" should be alpha', goog.string.isAlpha('n')); assertTrue('"z" should be alpha', goog.string.isAlpha('z')); assertTrue('"A" should be alpha', goog.string.isAlpha('A')); assertTrue('"N" should be alpha', goog.string.isAlpha('N')); assertTrue('"Z" should be alpha', goog.string.isAlpha('Z')); assertTrue('"aa" should be alpha', goog.string.isAlpha('aa')); assertTrue('null is alpha', goog.string.isAlpha(null)); assertTrue('undefined is alpha', goog.string.isAlpha(undefined)); assertFalse('"aa!" is not alpha', goog.string.isAlpha('aa!s')); assertFalse('"!" is not alpha', goog.string.isAlpha('!')); assertFalse('"0" is not alpha', goog.string.isAlpha('0')); assertFalse('"5" is not alpha', goog.string.isAlpha('5')); } //=== tests for goog.string.isNumeric === function testIsNumeric() { assertTrue('"8" is a numeric string', goog.string.isNumeric('8')); assertTrue('"5" is a numeric string', goog.string.isNumeric('5')); assertTrue('"34" is a numeric string', goog.string.isNumeric('34')); assertTrue('34 is a number', goog.string.isNumeric(34)); assertFalse('"3.14" has a period', goog.string.isNumeric('3.14')); assertFalse('"A" is a letter', goog.string.isNumeric('A')); assertFalse('"!" is punctuation', goog.string.isNumeric('!')); assertFalse('null is not numeric', goog.string.isNumeric(null)); assertFalse('undefined is not numeric', goog.string.isNumeric(undefined)); } //=== tests for tests for goog.string.isAlphaNumeric === function testIsAlphaNumeric() { assertTrue('"ABCabc" should be alphanumeric', goog.string.isAlphaNumeric('ABCabc')); assertTrue('"123" should be alphanumeric', goog.string.isAlphaNumeric('123')); assertTrue('"ABCabc123" should be alphanumeric', goog.string.isAlphaNumeric('ABCabc123')); assertTrue('null is alphanumeric', goog.string.isAlphaNumeric(null)); assertTrue('undefined is alphanumeric', goog.string.isAlphaNumeric(undefined)); assertFalse('"123!" should not be alphanumeric', goog.string.isAlphaNumeric('123!')); assertFalse('" " should not be alphanumeric', goog.string.isAlphaNumeric(' ')); } //== tests for goog.string.isBreakingWhitespace === function testIsBreakingWhitespace() { assertTrue('" " is breaking', goog.string.isBreakingWhitespace(' ')); assertTrue('"\\n" is breaking', goog.string.isBreakingWhitespace('\n')); assertTrue('"\\t" is breaking', goog.string.isBreakingWhitespace('\t')); assertTrue('"\\r" is breaking', goog.string.isBreakingWhitespace('\r')); assertTrue('"\\r\\n\\t " is breaking', goog.string.isBreakingWhitespace('\r\n\t ')); assertFalse('nbsp is non-breaking', goog.string.isBreakingWhitespace('\xa0')); assertFalse('"a" is non-breaking', goog.string.isBreakingWhitespace('a')); assertFalse('"a\\r" is non-breaking', goog.string.isBreakingWhitespace('a\r')); } //=== tests for goog.string.isSpace === function testIsSpace() { assertTrue('" " is a space', goog.string.isSpace(' ')); assertFalse('"\\n" is not a space', goog.string.isSpace('\n')); assertFalse('"\\t" is not a space', goog.string.isSpace('\t')); assertFalse('" " is not a space, it\'s two spaces', goog.string.isSpace(' ')); assertFalse('"a" is not a space', goog.string.isSpace('a')); assertFalse('"3" is not a space', goog.string.isSpace('3')); assertFalse('"#" is not a space', goog.string.isSpace('#')); assertFalse('null is not a space', goog.string.isSpace(null)); assertFalse('nbsp is not a space', goog.string.isSpace('\xa0')); } // === tests for goog.string.stripNewlines === function testStripNewLines() { assertEquals('Should replace new lines with spaces', goog.string.stripNewlines('some\nlines\rthat\r\nare\n\nsplit'), 'some lines that are split'); } // === tests for goog.string.canonicalizeNewlines === function testCanonicalizeNewlines() { assertEquals('Should replace all types of new line with \\n', goog.string.canonicalizeNewlines( 'some\nlines\rthat\r\nare\n\nsplit'), 'some\nlines\nthat\nare\n\nsplit'); } // === tests for goog.string.normalizeWhitespace === function testWhitespace() { assertEquals('All whitespace chars should be replaced with a normal space', goog.string.normalizeWhitespace('\xa0 \n\t \xa0 \n\t'), ' '); } // === tests for goog.string.normalizeSpaces === function testNormalizeSpaces() { assertEquals('All whitespace chars should be replaced with a normal space', goog.string.normalizeSpaces('\xa0 \t \xa0 \t'), ' '); } function testCollapseBreakingSpaces() { assertEquals('breaking spaces are collapsed', 'a b', goog.string.collapseBreakingSpaces(' \t\r\n a \t\r\n b \t\r\n ')); assertEquals('non-breaking spaces are kept', 'a \u00a0\u2000 b', goog.string.collapseBreakingSpaces('a \u00a0\u2000 b')); } /// === tests for goog.string.trim === function testTrim() { assertEquals('Should be the same', goog.string.trim('nothing 2 trim'), 'nothing 2 trim'); assertEquals('Remove spaces', goog.string.trim(' hello goodbye '), 'hello goodbye'); assertEquals('Trim other stuff', goog.string.trim('\n\r\xa0 hi \r\n\xa0'), 'hi'); } /// === tests for goog.string.trimLeft === function testTrimLeft() { var f = goog.string.trimLeft; assertEquals('Should be the same', f('nothing to trim'), 'nothing to trim'); assertEquals('Remove spaces', f(' hello goodbye '), 'hello goodbye '); assertEquals('Trim other stuff', f('\xa0\n\r hi \r\n\xa0'), 'hi \r\n\xa0'); } /// === tests for goog.string.trimRight === function testTrimRight() { var f = goog.string.trimRight; assertEquals('Should be the same', f('nothing to trim'), 'nothing to trim'); assertEquals('Remove spaces', f(' hello goodbye '), ' hello goodbye'); assertEquals('Trim other stuff', f('\n\r\xa0 hi \r\n\xa0'), '\n\r\xa0 hi'); } // === tests for goog.string.startsWith === function testStartsWith() { assertTrue('Should start with \'\'', goog.string.startsWith('abcd', '')); assertTrue('Should start with \'ab\'', goog.string.startsWith('abcd', 'ab')); assertTrue('Should start with \'abcd\'', goog.string.startsWith('abcd', 'abcd')); assertFalse('Should not start with \'bcd\'', goog.string.startsWith('abcd', 'bcd')); } function testEndsWith() { assertTrue('Should end with \'\'', goog.string.endsWith('abcd', '')); assertTrue('Should end with \'ab\'', goog.string.endsWith('abcd', 'cd')); assertTrue('Should end with \'abcd\'', goog.string.endsWith('abcd', 'abcd')); assertFalse('Should not end \'abc\'', goog.string.endsWith('abcd', 'abc')); assertFalse('Should not end \'abcde\'', goog.string.endsWith('abcd', 'abcde')); } // === tests for goog.string.caseInsensitiveStartsWith === function testCaseInsensitiveStartsWith() { assertTrue('Should start with \'\'', goog.string.caseInsensitiveStartsWith('abcd', '')); assertTrue('Should start with \'ab\'', goog.string.caseInsensitiveStartsWith('abcd', 'Ab')); assertTrue('Should start with \'abcd\'', goog.string.caseInsensitiveStartsWith('AbCd', 'abCd')); assertFalse('Should not start with \'bcd\'', goog.string.caseInsensitiveStartsWith('ABCD', 'bcd')); } // === tests for goog.string.caseInsensitiveEndsWith === function testCaseInsensitiveEndsWith() { assertTrue('Should end with \'\'', goog.string.caseInsensitiveEndsWith('abcd', '')); assertTrue('Should end with \'cd\'', goog.string.caseInsensitiveEndsWith('abCD', 'cd')); assertTrue('Should end with \'abcd\'', goog.string.caseInsensitiveEndsWith('abcd', 'abCd')); assertFalse('Should not end \'abc\'', goog.string.caseInsensitiveEndsWith('aBCd', 'ABc')); assertFalse('Should not end \'abcde\'', goog.string.caseInsensitiveEndsWith('ABCD', 'abcde')); } // === tests for goog.string.caseInsensitiveEquals === function testCaseInsensitiveEquals() { function assertCaseInsensitiveEquals(str1, str2) { assertTrue(goog.string.caseInsensitiveEquals(str1, str2)); } function assertCaseInsensitiveNotEquals(str1, str2) { assertFalse(goog.string.caseInsensitiveEquals(str1, str2)); } assertCaseInsensitiveEquals('abc', 'abc'); assertCaseInsensitiveEquals('abc', 'abC'); assertCaseInsensitiveEquals('d,e,F,G', 'd,e,F,G'); assertCaseInsensitiveEquals('ABCD EFGH 1234', 'abcd efgh 1234'); assertCaseInsensitiveEquals('FooBarBaz', 'fOObARbAZ'); assertCaseInsensitiveNotEquals('ABCD EFGH', 'abcd efg'); assertCaseInsensitiveNotEquals('ABC DEFGH', 'ABCD EFGH'); assertCaseInsensitiveNotEquals('FooBarBaz', 'fOObARbAZ '); } // === tests for goog.string.subs === function testSubs() { assertEquals('Should be the same', goog.string.subs('nothing to subs'), 'nothing to subs'); assertEquals('Should be the same', goog.string.subs('%s', '1'), '1'); assertEquals('Should be the same', goog.string.subs('%s%s%s', '1', 2, true), '12true'); function f() { assertTrue('This should not be called', false); } f.toString = function() { return 'f'; }; assertEquals('Should not call function', goog.string.subs('%s', f), 'f'); // If the string that is to be substituted in contains $& then it will be // usually be replaced with %s, we need to check goog.string.subs, handles // this case. assertEquals('$& should not be substituted with %s', 'Foo Bar $&', goog.string.subs('Foo %s', 'Bar $&')); assertEquals('$$ should not be substituted', '_$$_', goog.string.subs('%s', '_$$_')); assertEquals('$` should not be substituted', '_$`_', goog.string.subs('%s', '_$`_')); assertEquals('$\' should not be substituted', '_$\'_', goog.string.subs('%s', '_$\'_')); for (var i = 0; i < 99; i += 9) { assertEquals('$' + i + ' should not be substituted', '_$' + i + '_', goog.string.subs('%s', '_$' + i + '_')); } } // === tests for goog.string.caseInsensitiveCompare === function testCaseInsensitiveCompare() { var f = goog.string.caseInsensitiveCompare; assert('"ABC" should be less than "def"', f('ABC', 'def') == -1); assert('"abc" should be less than "DEF"', f('abc', 'DEF') == -1); assert('"XYZ" should equal "xyz"', f('XYZ', 'xyz') == 0); assert('"XYZ" should be greater than "UVW"', f('xyz', 'UVW') == 1); assert('"XYZ" should be greater than "uvw"', f('XYZ', 'uvw') == 1); } // === tests for goog.string.numerateCompare === function testNumerateCompare() { var f = goog.string.numerateCompare; // Each comparison in this list is tested to assure that t[0] < t[1], // t[1] > t[0], and identity tests t[0] == t[0] and t[1] == t[1]. var comparisons = [ ['', '0'], ['2', '10'], ['05', '9'], ['3.14', '3.2'], ['sub', 'substring'], ['Photo 7', 'photo 8'], // Case insensitive for most sorts. ['Mango', 'mango'], // Case sensitive if strings are otherwise identical. ['album 2 photo 20', 'album 10 photo 20'], ['album 7 photo 20', 'album 7 photo 100']]; for (var i = 0; i < comparisons.length; i++) { var t = comparisons[i]; assert(t[0] + ' should be less than ' + t[1], f(t[0], t[1]) < 0); assert(t[1] + ' should be greater than ' + t[0], f(t[1], t[0]) > 0); assert(t[0] + ' should be equal to ' + t[0], f(t[0], t[0]) == 0); assert(t[1] + ' should be equal to ' + t[1], f(t[1], t[1]) == 0); } } // === tests for goog.string.urlEncode && .urlDecode === // NOTE: When test was written it was simply an alias for the built in // 'encodeURICompoent', therefore this test is simply used to make sure that in // the future it doesn't get broken. function testUrlEncodeAndDecode() { var input = '<p>"hello there," she said, "what is going on here?</p>'; var output = '%3Cp%3E%22hello%20there%2C%22%20she%20said%2C%20%22what%20is' + '%20going%20on%20here%3F%3C%2Fp%3E'; assertEquals('urlEncode vs encodeURIComponent', encodeURIComponent(input), goog.string.urlEncode(input)); assertEquals('urlEncode vs model', goog.string.urlEncode(input), output); assertEquals('urlDecode vs model', goog.string.urlDecode(output), input); assertEquals('urlDecode vs urlEncode', goog.string.urlDecode(goog.string.urlEncode(input)), input); assertEquals('urlDecode with +s instead of %20s', goog.string.urlDecode(output.replace(/%20/g, '+')), input); } // === tests for goog.string.newLineToBr === function testNewLineToBr() { var str = 'some\nlines\rthat\r\nare\n\nsplit'; var html = 'some<br>lines<br>that<br>are<br><br>split'; var xhtml = 'some<br />lines<br />that<br />are<br /><br />split'; assertEquals('Should be html', goog.string.newLineToBr(str), html); assertEquals('Should be html', goog.string.newLineToBr(str, false), html); assertEquals('Should be xhtml', goog.string.newLineToBr(str, true), xhtml); } // === tests for goog.string.htmlEscape and .unescapeEntities === function testHtmlEscapeAndUnescapeEntities() { var text = '"x1 < x2 && y2 > y1"'; var html = '&quot;x1 &lt; x2 &amp;&amp; y2 &gt; y1&quot;'; assertEquals('Testing htmlEscape', goog.string.htmlEscape(text), html); assertEquals('Testing htmlEscape', goog.string.htmlEscape(text, false), html); assertEquals('Testing htmlEscape', goog.string.htmlEscape(text, true), html); assertEquals('Testing unescapeEntities', goog.string.unescapeEntities(html), text); assertEquals('escape -> unescape', goog.string.unescapeEntities(goog.string.htmlEscape(text)), text); assertEquals('unescape -> escape', goog.string.htmlEscape(goog.string.unescapeEntities(html)), html); } function testHtmlEscapeAndUnescapeEntitiesUsingDom() { var text = '"x1 < x2 && y2 > y1"'; var html = '&quot;x1 &lt; x2 &amp;&amp; y2 &gt; y1&quot;'; assertEquals('Testing unescapeEntities', goog.string.unescapeEntitiesUsingDom_(html), text); assertEquals('escape -> unescape', goog.string.unescapeEntitiesUsingDom_( goog.string.htmlEscape(text)), text); assertEquals('unescape -> escape', goog.string.htmlEscape( goog.string.unescapeEntitiesUsingDom_(html)), html); } function testHtmlUnescapeEntitiesUsingDom_withAmpersands() { var html = '&lt;a&b&gt;'; var text = '<a&b>'; assertEquals('wrong unescaped value', text, goog.string.unescapeEntitiesUsingDom_(html)); } function testHtmlEscapeAndUnescapePureXmlEntities_() { var text = '"x1 < x2 && y2 > y1"'; var html = '&quot;x1 &lt; x2 &amp;&amp; y2 &gt; y1&quot;'; assertEquals('Testing unescapePureXmlEntities_', goog.string.unescapePureXmlEntities_(html), text); assertEquals('escape -> unescape', goog.string.unescapePureXmlEntities_( goog.string.htmlEscape(text)), text); assertEquals('unescape -> escape', goog.string.htmlEscape( goog.string.unescapePureXmlEntities_(html)), html); } var globalXssVar = 0; function testXssUnescapeEntities() { // This tests that we don't have any XSS exploits in unescapeEntities var test = '&amp;<script defer>globalXssVar=1;</' + 'script>'; var expected = '&<script defer>globalXssVar=1;</' + 'script>'; assertEquals('Testing unescapeEntities', expected, goog.string.unescapeEntities(test)); assertEquals('unescapeEntities is vulnarable to XSS', 0, globalXssVar); test = '&amp;<script>globalXssVar=1;</' + 'script>'; expected = '&<script>globalXssVar=1;</' + 'script>'; assertEquals('Testing unescapeEntities', expected, goog.string.unescapeEntities(test)); assertEquals('unescapeEntities is vulnarable to XSS', 0, globalXssVar); } function testXssUnescapeEntitiesUsingDom() { // This tests that we don't have any XSS exploits in unescapeEntitiesUsingDom var test = '&amp;<script defer>globalXssVar=1;</' + 'script>'; var expected = '&<script defer>globalXssVar=1;</' + 'script>'; assertEquals('Testing unescapeEntitiesUsingDom_', expected, goog.string.unescapeEntitiesUsingDom_(test)); assertEquals('unescapeEntitiesUsingDom_ is vulnerable to XSS', 0, globalXssVar); test = '&amp;<script>globalXssVar=1;</' + 'script>'; expected = '&<script>globalXssVar=1;</' + 'script>'; assertEquals('Testing unescapeEntitiesUsingDom_', expected, goog.string.unescapeEntitiesUsingDom_(test)); assertEquals('unescapeEntitiesUsingDom_ is vulnerable to XSS', 0, globalXssVar); } function testXssUnescapePureXmlEntities() { // This tests that we don't have any XSS exploits in unescapePureXmlEntities var test = '&amp;<script defer>globalXssVar=1;</' + 'script>'; var expected = '&<script defer>globalXssVar=1;</' + 'script>'; assertEquals('Testing unescapePureXmlEntities_', expected, goog.string.unescapePureXmlEntities_(test)); assertEquals('unescapePureXmlEntities_ is vulnarable to XSS', 0, globalXssVar); test = '&amp;<script>globalXssVar=1;</' + 'script>'; expected = '&<script>globalXssVar=1;</' + 'script>'; assertEquals('Testing unescapePureXmlEntities_', expected, goog.string.unescapePureXmlEntities_(test)); assertEquals('unescapePureXmlEntities_ is vulnarable to XSS', 0, globalXssVar); } function testUnescapeEntitiesPreservesWhitespace() { // This tests that whitespace is preserved (primarily for IE) // Also make sure leading and trailing whitespace are preserved. var test = '\nTesting\n\twhitespace\n preservation\n'; var expected = test; assertEquals('Testing unescapeEntities', expected, goog.string.unescapeEntities(test)); // Now with entities test += ' &amp;&nbsp;\n'; expected += ' &\u00A0\n'; assertEquals('Testing unescapeEntities', expected, goog.string.unescapeEntities(test)); } // === tests for goog.string.whitespaceEscape === function testWhiteSpaceEscape() { assertEquals('Should be the same', goog.string.whitespaceEscape('one two three four five '), 'one two &#160;three &#160; four &#160; &#160;five &#160; &#160; '); } // === tests for goog.string.stripQuotes === function testStripQuotes() { assertEquals('Quotes should be stripped', goog.string.stripQuotes('"hello"', '"'), 'hello'); assertEquals('Quotes should be stripped', goog.string.stripQuotes('\'hello\'', '\''), 'hello'); assertEquals('Quotes should not be stripped', goog.string.stripQuotes('-"hello"', '"'), '-"hello"'); } function testStripQuotesMultiple() { assertEquals('Quotes should be stripped', goog.string.stripQuotes('"hello"', '"\''), 'hello'); assertEquals('Quotes should be stripped', goog.string.stripQuotes('\'hello\'', '"\''), 'hello'); assertEquals('Quotes should be stripped', goog.string.stripQuotes('\'hello\'', ''), '\'hello\''); } function testStripQuotesMultiple2() { // Makes sure we do not strip twice assertEquals('Quotes should be stripped', goog.string.stripQuotes('"\'hello\'"', '"\''), '\'hello\''); assertEquals('Quotes should be stripped', goog.string.stripQuotes('"\'hello\'"', '\'"'), '\'hello\''); } // === tests for goog.string.truncate === function testTruncate() { var str = 'abcdefghijklmnopqrstuvwxyz'; assertEquals('Should be equal', goog.string.truncate(str, 8), 'abcde...'); assertEquals('Should be equal', goog.string.truncate(str, 11), 'abcdefgh...'); var html = 'true &amp;&amp; false == false'; assertEquals('Should clip html char', goog.string.truncate(html, 11), 'true &am...'); assertEquals('Should not clip html char', goog.string.truncate(html, 12, true), 'true &amp;&amp; f...'); } // === tests for goog.string.truncateMiddle === function testTruncateMiddle() { var str = 'abcdefghijklmnopqrstuvwxyz'; assertEquals('abc...xyz', goog.string.truncateMiddle(str, 6)); assertEquals('abc...yz', goog.string.truncateMiddle(str, 5)); assertEquals(str, goog.string.truncateMiddle(str, str.length)); var html = 'true &amp;&amp; false == false'; assertEquals('Should clip html char', 'true &a...= false', goog.string.truncateMiddle(html, 14)); assertEquals('Should not clip html char', 'true &amp;&amp;...= false', goog.string.truncateMiddle(html, 14, true)); assertEquals('ab...xyz', goog.string.truncateMiddle(str, 5, null, 3)); assertEquals('abcdefg...xyz', goog.string.truncateMiddle(str, 10, null, 3)); assertEquals('abcdef...wxyz', goog.string.truncateMiddle(str, 10, null, 4)); assertEquals('...yz', goog.string.truncateMiddle(str, 2, null, 3)); assertEquals(str, goog.string.truncateMiddle(str, 50, null, 3)); assertEquals('Should clip html char', 'true &amp;&...lse', goog.string.truncateMiddle(html, 14, null, 3)); assertEquals('Should not clip html char', 'true &amp;&amp; fal...lse', goog.string.truncateMiddle(html, 14, true, 3)); } // === goog.string.quote === function testQuote() { var str = allChars(); assertEquals(str, eval(goog.string.quote(str))); // empty string assertEquals('', eval(goog.string.quote(''))); // unicode str = allChars(0, 10000); assertEquals(str, eval(goog.string.quote(str))); } function testQuoteSpecialChars() { assertEquals('"\\""', goog.string.quote('"')); assertEquals('"\'"', goog.string.quote("'")); assertEquals('"\\\\"', goog.string.quote('\\')); var zeroQuoted = goog.string.quote('\0'); assertTrue( 'goog.string.quote mangles the 0 char: ', '"\\0"' == zeroQuoted || '"\\x00"' == zeroQuoted); } function testCrossBrowserQuote() { // The vertical space char has weird semantics on jscript, so we don't test // that one. var vertChar = '\x0B'.charCodeAt(0); // The zero char has two alternate encodings (\0 and \x00) both are ok, // and tested above. var zeroChar = 0; var str = allChars(zeroChar + 1, vertChar) + allChars(vertChar + 1, 10000); var nativeQuote = goog.string.quote(str); stubs.set(String.prototype, 'quote', null); assertNull(''.quote); assertEquals(nativeQuote, goog.string.quote(str)); } function allChars(opt_start, opt_end) { opt_start = opt_start || 0; opt_end = opt_end || 256; var rv = ''; for (var i = opt_start; i < opt_end; i++) { rv += String.fromCharCode(i); } return rv; } function testEscapeString() { var expected = allChars(0, 10000); try { var actual = eval('"' + goog.string.escapeString(expected) + '"'); } catch (e) { fail('Quote failed: err ' + e.message); } assertEquals(expected, actual); } function testCountOf() { assertEquals(goog.string.countOf('REDSOXROX', undefined), 0); assertEquals(goog.string.countOf('REDSOXROX', null), 0); assertEquals(goog.string.countOf('REDSOXROX', ''), 0); assertEquals(goog.string.countOf('', undefined), 0); assertEquals(goog.string.countOf('', null), 0); assertEquals(goog.string.countOf('', ''), 0); assertEquals(goog.string.countOf('', 'REDSOXROX'), 0); assertEquals(goog.string.countOf(undefined, 'R'), 0); assertEquals(goog.string.countOf(null, 'R'), 0); assertEquals(goog.string.countOf(undefined, undefined), 0); assertEquals(goog.string.countOf(null, null), 0); assertEquals(goog.string.countOf('REDSOXROX', 'R'), 2); assertEquals(goog.string.countOf('REDSOXROX', 'E'), 1); assertEquals(goog.string.countOf('REDSOXROX', 'X'), 2); assertEquals(goog.string.countOf('REDSOXROX', 'RED'), 1); assertEquals(goog.string.countOf('REDSOXROX', 'ROX'), 1); assertEquals(goog.string.countOf('REDSOXROX', 'OX'), 2); assertEquals(goog.string.countOf('REDSOXROX', 'Z'), 0); assertEquals(goog.string.countOf('REDSOXROX', 'REDSOXROX'), 1); assertEquals(goog.string.countOf('REDSOXROX', 'YANKEES'), 0); assertEquals(goog.string.countOf('REDSOXROX', 'EVIL_EMPIRE'), 0); assertEquals(goog.string.countOf('RRRRRRRRR', 'R'), 9); assertEquals(goog.string.countOf('RRRRRRRRR', 'RR'), 4); assertEquals(goog.string.countOf('RRRRRRRRR', 'RRR'), 3); assertEquals(goog.string.countOf('RRRRRRRRR', 'RRRR'), 2); assertEquals(goog.string.countOf('RRRRRRRRR', 'RRRRR'), 1); assertEquals(goog.string.countOf('RRRRRRRRR', 'RRRRRR'), 1); } function testRemoveAt() { var str = 'barfoobarbazbar'; str = goog.string.removeAt(str, 0, 3); assertEquals('Remove first bar', 'foobarbazbar', str); str = goog.string.removeAt(str, 3, 3); assertEquals('Remove middle bar', 'foobazbar', str); str = goog.string.removeAt(str, 6, 3); assertEquals('Remove last bar', 'foobaz', str); assertEquals('Invalid negative index', 'foobaz', goog.string.removeAt(str, -1, 0)); assertEquals('Invalid overflow index', 'foobaz', goog.string.removeAt(str, 9, 0)); assertEquals('Invalid negative stringLength', 'foobaz', goog.string.removeAt(str, 0, -1)); assertEquals('Invalid overflow stringLength', '', goog.string.removeAt(str, 0, 9)); assertEquals('Invalid overflow index and stringLength', 'foobaz', goog.string.removeAt(str, 9, 9)); assertEquals('Invalid zero stringLength', 'foobaz', goog.string.removeAt(str, 0, 0)); } function testRemove() { var str = 'barfoobarbazbar'; str = goog.string.remove(str, 'bar'); assertEquals('Remove first bar', 'foobarbazbar', str); str = goog.string.remove(str, 'bar'); assertEquals('Remove middle bar', 'foobazbar', str); str = goog.string.remove(str, 'bar'); assertEquals('Remove last bar', 'foobaz', str); str = goog.string.remove(str, 'bar'); assertEquals('Original string', 'foobaz', str); } function testRemoveAll() { var str = 'foobarbazbarfoobazfoo'; str = goog.string.removeAll(str, 'foo'); assertEquals('Remove all occurrences of foo', 'barbazbarbaz', str); str = goog.string.removeAll(str, 'foo'); assertEquals('Original string', 'barbazbarbaz', str); } function testRegExpEscape() { var spec = '()[]{}+-?*.$^|,:#<!\\'; var escapedSpec = '\\' + spec.split('').join('\\'); assertEquals('special chars', escapedSpec, goog.string.regExpEscape(spec)); assertEquals('backslash b', '\\x08', goog.string.regExpEscape('\b')); var s = allChars(); var re = new RegExp('^' + goog.string.regExpEscape(s) + '$'); assertTrue('All ASCII', re.test(s)); s = ''; var re = new RegExp('^' + goog.string.regExpEscape(s) + '$'); assertTrue('empty string', re.test(s)); s = allChars(0, 10000); var re = new RegExp('^' + goog.string.regExpEscape(s) + '$'); assertTrue('Unicode', re.test(s)); } function testPadNumber() { assertEquals('01.250', goog.string.padNumber(1.25, 2, 3)); assertEquals('01.25', goog.string.padNumber(1.25, 2)); assertEquals('01.3', goog.string.padNumber(1.25, 2, 1)); assertEquals('1.25', goog.string.padNumber(1.25, 0)); assertEquals('10', goog.string.padNumber(9.9, 2, 0)); assertEquals('7', goog.string.padNumber(7, 0)); assertEquals('7', goog.string.padNumber(7, 1)); assertEquals('07', goog.string.padNumber(7, 2)); } function testAsString() { assertEquals('', goog.string.makeSafe(null)); assertEquals('', goog.string.makeSafe(undefined)); assertEquals('', goog.string.makeSafe('')); assertEquals('abc', goog.string.makeSafe('abc')); assertEquals('123', goog.string.makeSafe(123)); assertEquals('0', goog.string.makeSafe(0)); assertEquals('true', goog.string.makeSafe(true)); assertEquals('false', goog.string.makeSafe(false)); var funky = function() {}; funky.toString = function() { return 'funky-thing' }; assertEquals('funky-thing', goog.string.makeSafe(funky)); } function testStringRepeat() { assertEquals('', goog.string.repeat('*', 0)); assertEquals('*', goog.string.repeat('*', 1)); assertEquals(' ', goog.string.repeat(' ', 5)); assertEquals('__________', goog.string.repeat('_', 10)); assertEquals('aaa', goog.string.repeat('a', 3)); assertEquals('foofoofoofoofoofoo', goog.string.repeat('foo', 6)); } function testBuildString() { assertEquals('', goog.string.buildString()); assertEquals('a', goog.string.buildString('a')); assertEquals('ab', goog.string.buildString('ab')); assertEquals('ab', goog.string.buildString('a', 'b')); assertEquals('abcd', goog.string.buildString('a', 'b', 'c', 'd')); assertEquals('0', goog.string.buildString(0)); assertEquals('0123', goog.string.buildString(0, 1, 2, 3)); assertEquals('ab01', goog.string.buildString('a', 'b', 0, 1)); assertEquals('', goog.string.buildString(null, undefined)); } function testCompareVersions() { var f = goog.string.compareVersions; assertTrue('numeric equality broken', f(1, 1) == 0); assertTrue('numeric less than broken', f(1.0, 1.1) < 0); assertTrue('numeric greater than broken', f(2.0, 1.1) > 0); assertTrue('exact equality broken', f('1.0', '1.0') == 0); assertTrue('mutlidot equality broken', f('1.0.0.0', '1.0') == 0); assertTrue('mutlidigit equality broken', f('1.000', '1.0') == 0); assertTrue('less than broken', f('1.0.2.1', '1.1') < 0); assertTrue('greater than broken', f('1.1', '1.0.2.1') > 0); assertTrue('substring less than broken', f('1', '1.1') < 0); assertTrue('substring greater than broken', f('2.2', '2') > 0); assertTrue('b greater than broken', f('1.1', '1.1b') > 0); assertTrue('b less than broken', f('1.1b', '1.1') < 0); assertTrue('b equality broken', f('1.1b', '1.1b') == 0); assertTrue('b > a broken', f('1.1b', '1.1a') > 0); assertTrue('a < b broken', f('1.1a', '1.1b') < 0); assertTrue('9.5 < 9.10 broken', f('9.5', '9.10') < 0); assertTrue('9.5 < 9.11 broken', f('9.5', '9.11') < 0); assertTrue('9.11 > 9.10 broken', f('9.11', '9.10') > 0); assertTrue('9.1 < 9.10 broken', f('9.1', '9.10') < 0); assertTrue('9.1.1 < 9.10 broken', f('9.1.1', '9.10') < 0); assertTrue('9.1.1 < 9.11 broken', f('9.1.1', '9.11') < 0); assertTrue('10a > 9b broken', f('1.10a', '1.9b') > 0); assertTrue('b < b2 broken', f('1.1b', '1.1b2') < 0); assertTrue('b10 > b9 broken', f('1.1b10', '1.1b9') > 0); assertTrue('7 > 6 broken with leading whitespace', f(' 7', '6') > 0); assertTrue('7 > 6 broken with trailing whitespace', f('7 ', '6') > 0); } function testIsUnicodeChar() { assertFalse('empty string broken', goog.string.isUnicodeChar('')); assertFalse('non-single char string broken', goog.string.isUnicodeChar('abc')); assertTrue('space broken', goog.string.isUnicodeChar(' ')); assertTrue('single char broken', goog.string.isUnicodeChar('a')); assertTrue('upper case broken', goog.string.isUnicodeChar('A')); assertTrue('unicode char broken', goog.string.isUnicodeChar('\u0C07')); } function assertHashcodeEquals(expectedHashCode, str) { assertEquals('wrong hashCode for ' + str.substring(0, 32), expectedHashCode, goog.string.hashCode(str)); } /** * Verify we get random-ish looking values for hash of Strings. */ function testHashCode() { try { goog.string.hashCode(null); fail('should throw exception for null'); } catch (ex) { // success } assertHashcodeEquals(0, ''); assertHashcodeEquals(101574, 'foo'); assertHashcodeEquals(1301670364, '\uAAAAfoo'); assertHashcodeEquals(92567585, goog.string.repeat('a', 5)); assertHashcodeEquals(2869595232, goog.string.repeat('a', 6)); assertHashcodeEquals(3058106369, goog.string.repeat('a', 7)); assertHashcodeEquals(312017024, goog.string.repeat('a', 8)); assertHashcodeEquals(2929737728, goog.string.repeat('a', 1024)); } function testUniqueString() { var TEST_COUNT = 20; var obj = {}; for (var i = 0; i < TEST_COUNT; i++) { obj[goog.string.createUniqueString()] = true; } assertEquals('All strings should be unique.', TEST_COUNT, goog.object.getCount(obj)); } function testToNumber() { // First, test the cases goog.string.toNumber() was primarily written for, // because JS built-ins are dumb. assertNaN(goog.string.toNumber('123a')); assertNaN(goog.string.toNumber('123.456.78')); assertNaN(goog.string.toNumber('')); assertNaN(goog.string.toNumber(' ')); // Now, sanity-check. assertEquals(123, goog.string.toNumber(' 123 ')); assertEquals(321.123, goog.string.toNumber('321.123')); assertEquals(1.00001, goog.string.toNumber('1.00001')); assertEquals(1, goog.string.toNumber('1.00000')); assertEquals(0.2, goog.string.toNumber('0.20')); assertEquals(0, goog.string.toNumber('0')); assertEquals(0, goog.string.toNumber('0.0')); assertEquals(-1, goog.string.toNumber('-1')); assertEquals(-0.3, goog.string.toNumber('-.3')); assertEquals(-12.345, goog.string.toNumber('-12.345')); assertEquals(100, goog.string.toNumber('1e2')); assertEquals(0.123, goog.string.toNumber('12.3e-2')); assertNaN(goog.string.toNumber('abc')); } function testGetRandomString() { stubs.set(goog, 'now', goog.functions.constant(1295726605874)); stubs.set(Math, 'random', goog.functions.constant(0.6679361383522245)); assertTrue('String must be alphanumeric', goog.string.isAlphaNumeric(goog.string.getRandomString())); } function testToCamelCase() { assertEquals('OneTwoThree', goog.string.toCamelCase('-one-two-three')); assertEquals('oneTwoThree', goog.string.toCamelCase('one-two-three')); assertEquals('oneTwo', goog.string.toCamelCase('one-two')); assertEquals('one', goog.string.toCamelCase('one')); assertEquals('oneTwo', goog.string.toCamelCase('oneTwo')); assertEquals('String value matching a native function name.', 'toString', goog.string.toCamelCase('toString')); } function testToSelectorCase() { assertEquals('-one-two-three', goog.string.toSelectorCase('OneTwoThree')); assertEquals('one-two-three', goog.string.toSelectorCase('oneTwoThree')); assertEquals('one-two', goog.string.toSelectorCase('oneTwo')); assertEquals('one', goog.string.toSelectorCase('one')); assertEquals('one-two', goog.string.toSelectorCase('one-two')); assertEquals('String value matching a native function name.', 'to-string', goog.string.toSelectorCase('toString')); } function testToTitleCase() { assertEquals('One', goog.string.toTitleCase('one')); assertEquals('CamelCase', goog.string.toTitleCase('camelCase')); assertEquals('Onelongword', goog.string.toTitleCase('onelongword')); assertEquals('One Two Three', goog.string.toTitleCase('one two three')); assertEquals('One Two Three', goog.string.toTitleCase('one two three')); assertEquals(' Longword ', goog.string.toTitleCase(' longword ')); assertEquals('One-two-three', goog.string.toTitleCase('one-two-three')); assertEquals('One_two_three', goog.string.toTitleCase('one_two_three')); assertEquals('String value matching a native function name.', 'ToString', goog.string.toTitleCase('toString')); // Verify results with no delimiter. assertEquals('One two three', goog.string.toTitleCase('one two three', '')); assertEquals('One-two-three', goog.string.toTitleCase('one-two-three', '')); assertEquals(' onetwothree', goog.string.toTitleCase(' onetwothree', '')); // Verify results with one delimiter. assertEquals('One two', goog.string.toTitleCase('one two', '.')); assertEquals(' one two', goog.string.toTitleCase(' one two', '.')); assertEquals(' one.Two', goog.string.toTitleCase(' one.two', '.')); assertEquals('One.Two', goog.string.toTitleCase('one.two', '.')); assertEquals('One...Two...', goog.string.toTitleCase('one...two...', '.')); // Verify results with multiple delimiters. var delimiters = '_-.'; assertEquals('One two three', goog.string.toTitleCase('one two three', delimiters)); assertEquals(' one two three', goog.string.toTitleCase(' one two three', delimiters)); assertEquals('One-Two-Three', goog.string.toTitleCase('one-two-three', delimiters)); assertEquals('One_Two_Three', goog.string.toTitleCase('one_two_three', delimiters)); assertEquals('One...Two...Three', goog.string.toTitleCase('one...two...three', delimiters)); assertEquals('One. two. three', goog.string.toTitleCase('one. two. three', delimiters)); } function testParseInt() { // Many example values borrowed from // http://trac.webkit.org/browser/trunk/LayoutTests/fast/js/kde/ // GlobalObject-expected.txt // Check non-numbers and strings assertTrue(isNaN(goog.string.parseInt(undefined))); assertTrue(isNaN(goog.string.parseInt(null))); assertTrue(isNaN(goog.string.parseInt({}))); assertTrue(isNaN(goog.string.parseInt(''))); assertTrue(isNaN(goog.string.parseInt(' '))); assertTrue(isNaN(goog.string.parseInt('a'))); assertTrue(isNaN(goog.string.parseInt('FFAA'))); assertEquals(1, goog.string.parseInt(1)); assertEquals(1234567890123456, goog.string.parseInt(1234567890123456)); assertEquals(2, goog.string.parseInt(' 2.3')); assertEquals(16, goog.string.parseInt('0x10')); assertEquals(11, goog.string.parseInt('11')); assertEquals(15, goog.string.parseInt('0xF')); assertEquals(15, goog.string.parseInt('0XF')); assertEquals(3735928559, goog.string.parseInt('0XDEADBEEF')); assertEquals(3, goog.string.parseInt('3x')); assertEquals(3, goog.string.parseInt('3 x')); assertFalse(isFinite(goog.string.parseInt('Infinity'))); assertEquals(15, goog.string.parseInt('15')); assertEquals(15, goog.string.parseInt('015')); assertEquals(15, goog.string.parseInt('0xf')); assertEquals(15, goog.string.parseInt('15')); assertEquals(15, goog.string.parseInt('0xF')); assertEquals(15, goog.string.parseInt('15.99')); assertTrue(isNaN(goog.string.parseInt('FXX123'))); assertEquals(15, goog.string.parseInt('15*3')); assertEquals(7, goog.string.parseInt('0x7')); assertEquals(1, goog.string.parseInt('1x7')); // Strings have no special meaning assertTrue(isNaN(goog.string.parseInt('Infinity'))); assertTrue(isNaN(goog.string.parseInt('NaN'))); // Test numbers and values assertEquals(3, goog.string.parseInt(3.3)); assertEquals(-3, goog.string.parseInt(-3.3)); assertEquals(0, goog.string.parseInt(-0)); assertTrue(isNaN(goog.string.parseInt(Infinity))); assertTrue(isNaN(goog.string.parseInt(NaN))); assertTrue(isNaN(goog.string.parseInt(Number.POSITIVE_INFINITY))); assertTrue(isNaN(goog.string.parseInt(Number.NEGATIVE_INFINITY))); // In Chrome (at least), parseInt(Number.MIN_VALUE) is 5 (5e-324) and // parseInt(Number.MAX_VALUE) is 1 (1.79...e+308) as they are converted // to strings. We do not attempt to correct this behavior. // Additional values for negatives. assertEquals(-3, goog.string.parseInt('-3')); assertEquals(-32, goog.string.parseInt('-32 ')); assertEquals(-32, goog.string.parseInt(' -32 ')); assertEquals(-3, goog.string.parseInt('-0x3')); assertEquals(-50, goog.string.parseInt('-0x32 ')); assertEquals(-243, goog.string.parseInt(' -0xF3 ')); assertTrue(isNaN(goog.string.parseInt(' - 0x32 '))); }
JavaScript
// Copyright 2006 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Utilities for string manipulation. */ /** * Namespace for string utilities */ goog.provide('goog.string'); goog.provide('goog.string.Unicode'); /** * Common Unicode string characters. * @enum {string} */ goog.string.Unicode = { NBSP: '\xa0' }; /** * Fast prefix-checker. * @param {string} str The string to check. * @param {string} prefix A string to look for at the start of {@code str}. * @return {boolean} True if {@code str} begins with {@code prefix}. */ goog.string.startsWith = function(str, prefix) { return str.lastIndexOf(prefix, 0) == 0; }; /** * Fast suffix-checker. * @param {string} str The string to check. * @param {string} suffix A string to look for at the end of {@code str}. * @return {boolean} True if {@code str} ends with {@code suffix}. */ goog.string.endsWith = function(str, suffix) { var l = str.length - suffix.length; return l >= 0 && str.indexOf(suffix, l) == l; }; /** * Case-insensitive prefix-checker. * @param {string} str The string to check. * @param {string} prefix A string to look for at the end of {@code str}. * @return {boolean} True if {@code str} begins with {@code prefix} (ignoring * case). */ goog.string.caseInsensitiveStartsWith = function(str, prefix) { return goog.string.caseInsensitiveCompare( prefix, str.substr(0, prefix.length)) == 0; }; /** * Case-insensitive suffix-checker. * @param {string} str The string to check. * @param {string} suffix A string to look for at the end of {@code str}. * @return {boolean} True if {@code str} ends with {@code suffix} (ignoring * case). */ goog.string.caseInsensitiveEndsWith = function(str, suffix) { return goog.string.caseInsensitiveCompare( suffix, str.substr(str.length - suffix.length, suffix.length)) == 0; }; /** * Case-insensitive equality checker. * @param {string} str1 First string to check. * @param {string} str2 Second string to check. * @return {boolean} True if {@code str1} and {@code str2} are the same string, * ignoring case. */ goog.string.caseInsensitiveEquals = function(str1, str2) { return str1.toLowerCase() == str2.toLowerCase(); }; /** * Does simple python-style string substitution. * subs("foo%s hot%s", "bar", "dog") becomes "foobar hotdog". * @param {string} str The string containing the pattern. * @param {...*} var_args The items to substitute into the pattern. * @return {string} A copy of {@code str} in which each occurrence of * {@code %s} has been replaced an argument from {@code var_args}. */ goog.string.subs = function(str, var_args) { // This appears to be slow, but testing shows it compares more or less // equivalent to the regex.exec method. for (var i = 1; i < arguments.length; i++) { // We cast to String in case an argument is a Function. Replacing $&, for // example, with $$$& stops the replace from subsituting the whole match // into the resultant string. $$$& in the first replace becomes $$& in the // second, which leaves $& in the resultant string. Also: // $$, $`, $', $n $nn var replacement = String(arguments[i]).replace(/\$/g, '$$$$'); str = str.replace(/\%s/, replacement); } return str; }; /** * Converts multiple whitespace chars (spaces, non-breaking-spaces, new lines * and tabs) to a single space, and strips leading and trailing whitespace. * @param {string} str Input string. * @return {string} A copy of {@code str} with collapsed whitespace. */ goog.string.collapseWhitespace = function(str) { // Since IE doesn't include non-breaking-space (0xa0) in their \s character // class (as required by section 7.2 of the ECMAScript spec), we explicitly // include it in the regexp to enforce consistent cross-browser behavior. return str.replace(/[\s\xa0]+/g, ' ').replace(/^\s+|\s+$/g, ''); }; /** * Checks if a string is empty or contains only whitespaces. * @param {string} str The string to check. * @return {boolean} True if {@code str} is empty or whitespace only. */ goog.string.isEmpty = function(str) { // testing length == 0 first is actually slower in all browsers (about the // same in Opera). // Since IE doesn't include non-breaking-space (0xa0) in their \s character // class (as required by section 7.2 of the ECMAScript spec), we explicitly // include it in the regexp to enforce consistent cross-browser behavior. return /^[\s\xa0]*$/.test(str); }; /** * Checks if a string is null, undefined, empty or contains only whitespaces. * @param {*} str The string to check. * @return {boolean} True if{@code str} is null, undefined, empty, or * whitespace only. */ goog.string.isEmptySafe = function(str) { return goog.string.isEmpty(goog.string.makeSafe(str)); }; /** * Checks if a string is all breaking whitespace. * @param {string} str The string to check. * @return {boolean} Whether the string is all breaking whitespace. */ goog.string.isBreakingWhitespace = function(str) { return !/[^\t\n\r ]/.test(str); }; /** * Checks if a string contains all letters. * @param {string} str string to check. * @return {boolean} True if {@code str} consists entirely of letters. */ goog.string.isAlpha = function(str) { return !/[^a-zA-Z]/.test(str); }; /** * Checks if a string contains only numbers. * @param {*} str string to check. If not a string, it will be * casted to one. * @return {boolean} True if {@code str} is numeric. */ goog.string.isNumeric = function(str) { return !/[^0-9]/.test(str); }; /** * Checks if a string contains only numbers or letters. * @param {string} str string to check. * @return {boolean} True if {@code str} is alphanumeric. */ goog.string.isAlphaNumeric = function(str) { return !/[^a-zA-Z0-9]/.test(str); }; /** * Checks if a character is a space character. * @param {string} ch Character to check. * @return {boolean} True if {code ch} is a space. */ goog.string.isSpace = function(ch) { return ch == ' '; }; /** * Checks if a character is a valid unicode character. * @param {string} ch Character to check. * @return {boolean} True if {code ch} is a valid unicode character. */ goog.string.isUnicodeChar = function(ch) { return ch.length == 1 && ch >= ' ' && ch <= '~' || ch >= '\u0080' && ch <= '\uFFFD'; }; /** * Takes a string and replaces newlines with a space. Multiple lines are * replaced with a single space. * @param {string} str The string from which to strip newlines. * @return {string} A copy of {@code str} stripped of newlines. */ goog.string.stripNewlines = function(str) { return str.replace(/(\r\n|\r|\n)+/g, ' '); }; /** * Replaces Windows and Mac new lines with unix style: \r or \r\n with \n. * @param {string} str The string to in which to canonicalize newlines. * @return {string} {@code str} A copy of {@code} with canonicalized newlines. */ goog.string.canonicalizeNewlines = function(str) { return str.replace(/(\r\n|\r|\n)/g, '\n'); }; /** * Normalizes whitespace in a string, replacing all whitespace chars with * a space. * @param {string} str The string in which to normalize whitespace. * @return {string} A copy of {@code str} with all whitespace normalized. */ goog.string.normalizeWhitespace = function(str) { return str.replace(/\xa0|\s/g, ' '); }; /** * Normalizes spaces in a string, replacing all consecutive spaces and tabs * with a single space. Replaces non-breaking space with a space. * @param {string} str The string in which to normalize spaces. * @return {string} A copy of {@code str} with all consecutive spaces and tabs * replaced with a single space. */ goog.string.normalizeSpaces = function(str) { return str.replace(/\xa0|[ \t]+/g, ' '); }; /** * Removes the breaking spaces from the left and right of the string and * collapses the sequences of breaking spaces in the middle into single spaces. * The original and the result strings render the same way in HTML. * @param {string} str A string in which to collapse spaces. * @return {string} Copy of the string with normalized breaking spaces. */ goog.string.collapseBreakingSpaces = function(str) { return str.replace(/[\t\r\n ]+/g, ' ').replace( /^[\t\r\n ]+|[\t\r\n ]+$/g, ''); }; /** * Trims white spaces to the left and right of a string. * @param {string} str The string to trim. * @return {string} A trimmed copy of {@code str}. */ goog.string.trim = function(str) { // Since IE doesn't include non-breaking-space (0xa0) in their \s character // class (as required by section 7.2 of the ECMAScript spec), we explicitly // include it in the regexp to enforce consistent cross-browser behavior. return str.replace(/^[\s\xa0]+|[\s\xa0]+$/g, ''); }; /** * Trims whitespaces at the left end of a string. * @param {string} str The string to left trim. * @return {string} A trimmed copy of {@code str}. */ goog.string.trimLeft = function(str) { // Since IE doesn't include non-breaking-space (0xa0) in their \s character // class (as required by section 7.2 of the ECMAScript spec), we explicitly // include it in the regexp to enforce consistent cross-browser behavior. return str.replace(/^[\s\xa0]+/, ''); }; /** * Trims whitespaces at the right end of a string. * @param {string} str The string to right trim. * @return {string} A trimmed copy of {@code str}. */ goog.string.trimRight = function(str) { // Since IE doesn't include non-breaking-space (0xa0) in their \s character // class (as required by section 7.2 of the ECMAScript spec), we explicitly // include it in the regexp to enforce consistent cross-browser behavior. return str.replace(/[\s\xa0]+$/, ''); }; /** * A string comparator that ignores case. * -1 = str1 less than str2 * 0 = str1 equals str2 * 1 = str1 greater than str2 * * @param {string} str1 The string to compare. * @param {string} str2 The string to compare {@code str1} to. * @return {number} The comparator result, as described above. */ goog.string.caseInsensitiveCompare = function(str1, str2) { var test1 = String(str1).toLowerCase(); var test2 = String(str2).toLowerCase(); if (test1 < test2) { return -1; } else if (test1 == test2) { return 0; } else { return 1; } }; /** * Regular expression used for splitting a string into substrings of fractional * numbers, integers, and non-numeric characters. * @type {RegExp} * @private */ goog.string.numerateCompareRegExp_ = /(\.\d+)|(\d+)|(\D+)/g; /** * String comparison function that handles numbers in a way humans might expect. * Using this function, the string "File 2.jpg" sorts before "File 10.jpg". The * comparison is mostly case-insensitive, though strings that are identical * except for case are sorted with the upper-case strings before lower-case. * * This comparison function is significantly slower (about 500x) than either * the default or the case-insensitive compare. It should not be used in * time-critical code, but should be fast enough to sort several hundred short * strings (like filenames) with a reasonable delay. * * @param {string} str1 The string to compare in a numerically sensitive way. * @param {string} str2 The string to compare {@code str1} to. * @return {number} less than 0 if str1 < str2, 0 if str1 == str2, greater than * 0 if str1 > str2. */ goog.string.numerateCompare = function(str1, str2) { if (str1 == str2) { return 0; } if (!str1) { return -1; } if (!str2) { return 1; } // Using match to split the entire string ahead of time turns out to be faster // for most inputs than using RegExp.exec or iterating over each character. var tokens1 = str1.toLowerCase().match(goog.string.numerateCompareRegExp_); var tokens2 = str2.toLowerCase().match(goog.string.numerateCompareRegExp_); var count = Math.min(tokens1.length, tokens2.length); for (var i = 0; i < count; i++) { var a = tokens1[i]; var b = tokens2[i]; // Compare pairs of tokens, returning if one token sorts before the other. if (a != b) { // Only if both tokens are integers is a special comparison required. // Decimal numbers are sorted as strings (e.g., '.09' < '.1'). var num1 = parseInt(a, 10); if (!isNaN(num1)) { var num2 = parseInt(b, 10); if (!isNaN(num2) && num1 - num2) { return num1 - num2; } } return a < b ? -1 : 1; } } // If one string is a substring of the other, the shorter string sorts first. if (tokens1.length != tokens2.length) { return tokens1.length - tokens2.length; } // The two strings must be equivalent except for case (perfect equality is // tested at the head of the function.) Revert to default ASCII-betical string // comparison to stablize the sort. return str1 < str2 ? -1 : 1; }; /** * URL-encodes a string * @param {*} str The string to url-encode. * @return {string} An encoded copy of {@code str} that is safe for urls. * Note that '#', ':', and other characters used to delimit portions * of URLs *will* be encoded. */ goog.string.urlEncode = function(str) { return encodeURIComponent(String(str)); }; /** * URL-decodes the string. We need to specially handle '+'s because * the javascript library doesn't convert them to spaces. * @param {string} str The string to url decode. * @return {string} The decoded {@code str}. */ goog.string.urlDecode = function(str) { return decodeURIComponent(str.replace(/\+/g, ' ')); }; /** * Converts \n to <br>s or <br />s. * @param {string} str The string in which to convert newlines. * @param {boolean=} opt_xml Whether to use XML compatible tags. * @return {string} A copy of {@code str} with converted newlines. */ goog.string.newLineToBr = function(str, opt_xml) { return str.replace(/(\r\n|\r|\n)/g, opt_xml ? '<br />' : '<br>'); }; /** * Escape double quote '"' characters in addition to '&', '<', and '>' so that a * string can be included in an HTML tag attribute value within double quotes. * * It should be noted that > doesn't need to be escaped for the HTML or XML to * be valid, but it has been decided to escape it for consistency with other * implementations. * * NOTE(user): * HtmlEscape is often called during the generation of large blocks of HTML. * Using statics for the regular expressions and strings is an optimization * that can more than half the amount of time IE spends in this function for * large apps, since strings and regexes both contribute to GC allocations. * * Testing for the presence of a character before escaping increases the number * of function calls, but actually provides a speed increase for the average * case -- since the average case often doesn't require the escaping of all 4 * characters and indexOf() is much cheaper than replace(). * The worst case does suffer slightly from the additional calls, therefore the * opt_isLikelyToContainHtmlChars option has been included for situations * where all 4 HTML entities are very likely to be present and need escaping. * * Some benchmarks (times tended to fluctuate +-0.05ms): * FireFox IE6 * (no chars / average (mix of cases) / all 4 chars) * no checks 0.13 / 0.22 / 0.22 0.23 / 0.53 / 0.80 * indexOf 0.08 / 0.17 / 0.26 0.22 / 0.54 / 0.84 * indexOf + re test 0.07 / 0.17 / 0.28 0.19 / 0.50 / 0.85 * * An additional advantage of checking if replace actually needs to be called * is a reduction in the number of object allocations, so as the size of the * application grows the difference between the various methods would increase. * * @param {string} str string to be escaped. * @param {boolean=} opt_isLikelyToContainHtmlChars Don't perform a check to see * if the character needs replacing - use this option if you expect each of * the characters to appear often. Leave false if you expect few html * characters to occur in your strings, such as if you are escaping HTML. * @return {string} An escaped copy of {@code str}. */ goog.string.htmlEscape = function(str, opt_isLikelyToContainHtmlChars) { if (opt_isLikelyToContainHtmlChars) { return str.replace(goog.string.amperRe_, '&amp;') .replace(goog.string.ltRe_, '&lt;') .replace(goog.string.gtRe_, '&gt;') .replace(goog.string.quotRe_, '&quot;'); } else { // quick test helps in the case when there are no chars to replace, in // worst case this makes barely a difference to the time taken if (!goog.string.allRe_.test(str)) return str; // str.indexOf is faster than regex.test in this case if (str.indexOf('&') != -1) { str = str.replace(goog.string.amperRe_, '&amp;'); } if (str.indexOf('<') != -1) { str = str.replace(goog.string.ltRe_, '&lt;'); } if (str.indexOf('>') != -1) { str = str.replace(goog.string.gtRe_, '&gt;'); } if (str.indexOf('"') != -1) { str = str.replace(goog.string.quotRe_, '&quot;'); } return str; } }; /** * Regular expression that matches an ampersand, for use in escaping. * @type {RegExp} * @private */ goog.string.amperRe_ = /&/g; /** * Regular expression that matches a less than sign, for use in escaping. * @type {RegExp} * @private */ goog.string.ltRe_ = /</g; /** * Regular expression that matches a greater than sign, for use in escaping. * @type {RegExp} * @private */ goog.string.gtRe_ = />/g; /** * Regular expression that matches a double quote, for use in escaping. * @type {RegExp} * @private */ goog.string.quotRe_ = /\"/g; /** * Regular expression that matches any character that needs to be escaped. * @type {RegExp} * @private */ goog.string.allRe_ = /[&<>\"]/; /** * Unescapes an HTML string. * * @param {string} str The string to unescape. * @return {string} An unescaped copy of {@code str}. */ goog.string.unescapeEntities = function(str) { if (goog.string.contains(str, '&')) { // We are careful not to use a DOM if we do not have one. We use the [] // notation so that the JSCompiler will not complain about these objects and // fields in the case where we have no DOM. if ('document' in goog.global) { return goog.string.unescapeEntitiesUsingDom_(str); } else { // Fall back on pure XML entities return goog.string.unescapePureXmlEntities_(str); } } return str; }; /** * Unescapes an HTML string using a DOM to resolve non-XML, non-numeric * entities. This function is XSS-safe and whitespace-preserving. * @private * @param {string} str The string to unescape. * @return {string} The unescaped {@code str} string. */ goog.string.unescapeEntitiesUsingDom_ = function(str) { var seen = {'&amp;': '&', '&lt;': '<', '&gt;': '>', '&quot;': '"'}; var div = document.createElement('div'); // Match as many valid entity characters as possible. If the actual entity // happens to be shorter, it will still work as innerHTML will return the // trailing characters unchanged. Since the entity characters do not include // open angle bracket, there is no chance of XSS from the innerHTML use. // Since no whitespace is passed to innerHTML, whitespace is preserved. return str.replace(goog.string.HTML_ENTITY_PATTERN_, function(s, entity) { // Check for cached entity. var value = seen[s]; if (value) { return value; } // Check for numeric entity. if (entity.charAt(0) == '#') { // Prefix with 0 so that hex entities (e.g. &#x10) parse as hex numbers. var n = Number('0' + entity.substr(1)); if (!isNaN(n)) { value = String.fromCharCode(n); } } // Fall back to innerHTML otherwise. if (!value) { // Append a non-entity character to avoid a bug in Webkit that parses // an invalid entity at the end of innerHTML text as the empty string. div.innerHTML = s + ' '; // Then remove the trailing character from the result. value = div.firstChild.nodeValue.slice(0, -1); } // Cache and return. return seen[s] = value; }); }; /** * Unescapes XML entities. * @private * @param {string} str The string to unescape. * @return {string} An unescaped copy of {@code str}. */ goog.string.unescapePureXmlEntities_ = function(str) { return str.replace(/&([^;]+);/g, function(s, entity) { switch (entity) { case 'amp': return '&'; case 'lt': return '<'; case 'gt': return '>'; case 'quot': return '"'; default: if (entity.charAt(0) == '#') { // Prefix with 0 so that hex entities (e.g. &#x10) parse as hex. var n = Number('0' + entity.substr(1)); if (!isNaN(n)) { return String.fromCharCode(n); } } // For invalid entities we just return the entity return s; } }); }; /** * Regular expression that matches an HTML entity. * See also HTML5: Tokenization / Tokenizing character references. * @private * @type {!RegExp} */ goog.string.HTML_ENTITY_PATTERN_ = /&([^;\s<&]+);?/g; /** * Do escaping of whitespace to preserve spatial formatting. We use character * entity #160 to make it safer for xml. * @param {string} str The string in which to escape whitespace. * @param {boolean=} opt_xml Whether to use XML compatible tags. * @return {string} An escaped copy of {@code str}. */ goog.string.whitespaceEscape = function(str, opt_xml) { return goog.string.newLineToBr(str.replace(/ /g, ' &#160;'), opt_xml); }; /** * Strip quote characters around a string. The second argument is a string of * characters to treat as quotes. This can be a single character or a string of * multiple character and in that case each of those are treated as possible * quote characters. For example: * * <pre> * goog.string.stripQuotes('"abc"', '"`') --> 'abc' * goog.string.stripQuotes('`abc`', '"`') --> 'abc' * </pre> * * @param {string} str The string to strip. * @param {string} quoteChars The quote characters to strip. * @return {string} A copy of {@code str} without the quotes. */ goog.string.stripQuotes = function(str, quoteChars) { var length = quoteChars.length; for (var i = 0; i < length; i++) { var quoteChar = length == 1 ? quoteChars : quoteChars.charAt(i); if (str.charAt(0) == quoteChar && str.charAt(str.length - 1) == quoteChar) { return str.substring(1, str.length - 1); } } return str; }; /** * Truncates a string to a certain length and adds '...' if necessary. The * length also accounts for the ellipsis, so a maximum length of 10 and a string * 'Hello World!' produces 'Hello W...'. * @param {string} str The string to truncate. * @param {number} chars Max number of characters. * @param {boolean=} opt_protectEscapedCharacters Whether to protect escaped * characters from being cut off in the middle. * @return {string} The truncated {@code str} string. */ goog.string.truncate = function(str, chars, opt_protectEscapedCharacters) { if (opt_protectEscapedCharacters) { str = goog.string.unescapeEntities(str); } if (str.length > chars) { str = str.substring(0, chars - 3) + '...'; } if (opt_protectEscapedCharacters) { str = goog.string.htmlEscape(str); } return str; }; /** * Truncate a string in the middle, adding "..." if necessary, * and favoring the beginning of the string. * @param {string} str The string to truncate the middle of. * @param {number} chars Max number of characters. * @param {boolean=} opt_protectEscapedCharacters Whether to protect escaped * characters from being cutoff in the middle. * @param {number=} opt_trailingChars Optional number of trailing characters to * leave at the end of the string, instead of truncating as close to the * middle as possible. * @return {string} A truncated copy of {@code str}. */ goog.string.truncateMiddle = function(str, chars, opt_protectEscapedCharacters, opt_trailingChars) { if (opt_protectEscapedCharacters) { str = goog.string.unescapeEntities(str); } if (opt_trailingChars && str.length > chars) { if (opt_trailingChars > chars) { opt_trailingChars = chars; } var endPoint = str.length - opt_trailingChars; var startPoint = chars - opt_trailingChars; str = str.substring(0, startPoint) + '...' + str.substring(endPoint); } else if (str.length > chars) { // Favor the beginning of the string: var half = Math.floor(chars / 2); var endPos = str.length - half; half += chars % 2; str = str.substring(0, half) + '...' + str.substring(endPos); } if (opt_protectEscapedCharacters) { str = goog.string.htmlEscape(str); } return str; }; /** * Special chars that need to be escaped for goog.string.quote. * @private * @type {Object} */ goog.string.specialEscapeChars_ = { '\0': '\\0', '\b': '\\b', '\f': '\\f', '\n': '\\n', '\r': '\\r', '\t': '\\t', '\x0B': '\\x0B', // '\v' is not supported in JScript '"': '\\"', '\\': '\\\\' }; /** * Character mappings used internally for goog.string.escapeChar. * @private * @type {Object} */ goog.string.jsEscapeCache_ = { '\'': '\\\'' }; /** * Encloses a string in double quotes and escapes characters so that the * string is a valid JS string. * @param {string} s The string to quote. * @return {string} A copy of {@code s} surrounded by double quotes. */ goog.string.quote = function(s) { s = String(s); if (s.quote) { return s.quote(); } else { var sb = ['"']; for (var i = 0; i < s.length; i++) { var ch = s.charAt(i); var cc = ch.charCodeAt(0); sb[i + 1] = goog.string.specialEscapeChars_[ch] || ((cc > 31 && cc < 127) ? ch : goog.string.escapeChar(ch)); } sb.push('"'); return sb.join(''); } }; /** * Takes a string and returns the escaped string for that character. * @param {string} str The string to escape. * @return {string} An escaped string representing {@code str}. */ goog.string.escapeString = function(str) { var sb = []; for (var i = 0; i < str.length; i++) { sb[i] = goog.string.escapeChar(str.charAt(i)); } return sb.join(''); }; /** * Takes a character and returns the escaped string for that character. For * example escapeChar(String.fromCharCode(15)) -> "\\x0E". * @param {string} c The character to escape. * @return {string} An escaped string representing {@code c}. */ goog.string.escapeChar = function(c) { if (c in goog.string.jsEscapeCache_) { return goog.string.jsEscapeCache_[c]; } if (c in goog.string.specialEscapeChars_) { return goog.string.jsEscapeCache_[c] = goog.string.specialEscapeChars_[c]; } var rv = c; var cc = c.charCodeAt(0); if (cc > 31 && cc < 127) { rv = c; } else { // tab is 9 but handled above if (cc < 256) { rv = '\\x'; if (cc < 16 || cc > 256) { rv += '0'; } } else { rv = '\\u'; if (cc < 4096) { // \u1000 rv += '0'; } } rv += cc.toString(16).toUpperCase(); } return goog.string.jsEscapeCache_[c] = rv; }; /** * Takes a string and creates a map (Object) in which the keys are the * characters in the string. The value for the key is set to true. You can * then use goog.object.map or goog.array.map to change the values. * @param {string} s The string to build the map from. * @return {Object} The map of characters used. */ // TODO(arv): It seems like we should have a generic goog.array.toMap. But do // we want a dependency on goog.array in goog.string? goog.string.toMap = function(s) { var rv = {}; for (var i = 0; i < s.length; i++) { rv[s.charAt(i)] = true; } return rv; }; /** * Checks whether a string contains a given substring. * @param {string} s The string to test. * @param {string} ss The substring to test for. * @return {boolean} True if {@code s} contains {@code ss}. */ goog.string.contains = function(s, ss) { return s.indexOf(ss) != -1; }; /** * Returns the non-overlapping occurrences of ss in s. * If either s or ss evalutes to false, then returns zero. * @param {string} s The string to look in. * @param {string} ss The string to look for. * @return {number} Number of occurrences of ss in s. */ goog.string.countOf = function(s, ss) { return s && ss ? s.split(ss).length - 1 : 0; }; /** * Removes a substring of a specified length at a specific * index in a string. * @param {string} s The base string from which to remove. * @param {number} index The index at which to remove the substring. * @param {number} stringLength The length of the substring to remove. * @return {string} A copy of {@code s} with the substring removed or the full * string if nothing is removed or the input is invalid. */ goog.string.removeAt = function(s, index, stringLength) { var resultStr = s; // If the index is greater or equal to 0 then remove substring if (index >= 0 && index < s.length && stringLength > 0) { resultStr = s.substr(0, index) + s.substr(index + stringLength, s.length - index - stringLength); } return resultStr; }; /** * Removes the first occurrence of a substring from a string. * @param {string} s The base string from which to remove. * @param {string} ss The string to remove. * @return {string} A copy of {@code s} with {@code ss} removed or the full * string if nothing is removed. */ goog.string.remove = function(s, ss) { var re = new RegExp(goog.string.regExpEscape(ss), ''); return s.replace(re, ''); }; /** * Removes all occurrences of a substring from a string. * @param {string} s The base string from which to remove. * @param {string} ss The string to remove. * @return {string} A copy of {@code s} with {@code ss} removed or the full * string if nothing is removed. */ goog.string.removeAll = function(s, ss) { var re = new RegExp(goog.string.regExpEscape(ss), 'g'); return s.replace(re, ''); }; /** * Escapes characters in the string that are not safe to use in a RegExp. * @param {*} s The string to escape. If not a string, it will be casted * to one. * @return {string} A RegExp safe, escaped copy of {@code s}. */ goog.string.regExpEscape = function(s) { return String(s).replace(/([-()\[\]{}+?*.$\^|,:#<!\\])/g, '\\$1'). replace(/\x08/g, '\\x08'); }; /** * Repeats a string n times. * @param {string} string The string to repeat. * @param {number} length The number of times to repeat. * @return {string} A string containing {@code length} repetitions of * {@code string}. */ goog.string.repeat = function(string, length) { return new Array(length + 1).join(string); }; /** * Pads number to given length and optionally rounds it to a given precision. * For example: * <pre>padNumber(1.25, 2, 3) -> '01.250' * padNumber(1.25, 2) -> '01.25' * padNumber(1.25, 2, 1) -> '01.3' * padNumber(1.25, 0) -> '1.25'</pre> * * @param {number} num The number to pad. * @param {number} length The desired length. * @param {number=} opt_precision The desired precision. * @return {string} {@code num} as a string with the given options. */ goog.string.padNumber = function(num, length, opt_precision) { var s = goog.isDef(opt_precision) ? num.toFixed(opt_precision) : String(num); var index = s.indexOf('.'); if (index == -1) { index = s.length; } return goog.string.repeat('0', Math.max(0, length - index)) + s; }; /** * Returns a string representation of the given object, with * null and undefined being returned as the empty string. * * @param {*} obj The object to convert. * @return {string} A string representation of the {@code obj}. */ goog.string.makeSafe = function(obj) { return obj == null ? '' : String(obj); }; /** * Concatenates string expressions. This is useful * since some browsers are very inefficient when it comes to using plus to * concat strings. Be careful when using null and undefined here since * these will not be included in the result. If you need to represent these * be sure to cast the argument to a String first. * For example: * <pre>buildString('a', 'b', 'c', 'd') -> 'abcd' * buildString(null, undefined) -> '' * </pre> * @param {...*} var_args A list of strings to concatenate. If not a string, * it will be casted to one. * @return {string} The concatenation of {@code var_args}. */ goog.string.buildString = function(var_args) { return Array.prototype.join.call(arguments, ''); }; /** * Returns a string with at least 64-bits of randomness. * * Doesn't trust Javascript's random function entirely. Uses a combination of * random and current timestamp, and then encodes the string in base-36 to * make it shorter. * * @return {string} A random string, e.g. sn1s7vb4gcic. */ goog.string.getRandomString = function() { var x = 2147483648; return Math.floor(Math.random() * x).toString(36) + Math.abs(Math.floor(Math.random() * x) ^ goog.now()).toString(36); }; /** * Compares two version numbers. * * @param {string|number} version1 Version of first item. * @param {string|number} version2 Version of second item. * * @return {number} 1 if {@code version1} is higher. * 0 if arguments are equal. * -1 if {@code version2} is higher. */ goog.string.compareVersions = function(version1, version2) { var order = 0; // Trim leading and trailing whitespace and split the versions into // subversions. var v1Subs = goog.string.trim(String(version1)).split('.'); var v2Subs = goog.string.trim(String(version2)).split('.'); var subCount = Math.max(v1Subs.length, v2Subs.length); // Iterate over the subversions, as long as they appear to be equivalent. for (var subIdx = 0; order == 0 && subIdx < subCount; subIdx++) { var v1Sub = v1Subs[subIdx] || ''; var v2Sub = v2Subs[subIdx] || ''; // Split the subversions into pairs of numbers and qualifiers (like 'b'). // Two different RegExp objects are needed because they are both using // the 'g' flag. var v1CompParser = new RegExp('(\\d*)(\\D*)', 'g'); var v2CompParser = new RegExp('(\\d*)(\\D*)', 'g'); do { var v1Comp = v1CompParser.exec(v1Sub) || ['', '', '']; var v2Comp = v2CompParser.exec(v2Sub) || ['', '', '']; // Break if there are no more matches. if (v1Comp[0].length == 0 && v2Comp[0].length == 0) { break; } // Parse the numeric part of the subversion. A missing number is // equivalent to 0. var v1CompNum = v1Comp[1].length == 0 ? 0 : parseInt(v1Comp[1], 10); var v2CompNum = v2Comp[1].length == 0 ? 0 : parseInt(v2Comp[1], 10); // Compare the subversion components. The number has the highest // precedence. Next, if the numbers are equal, a subversion without any // qualifier is always higher than a subversion with any qualifier. Next, // the qualifiers are compared as strings. order = goog.string.compareElements_(v1CompNum, v2CompNum) || goog.string.compareElements_(v1Comp[2].length == 0, v2Comp[2].length == 0) || goog.string.compareElements_(v1Comp[2], v2Comp[2]); // Stop as soon as an inequality is discovered. } while (order == 0); } return order; }; /** * Compares elements of a version number. * * @param {string|number|boolean} left An element from a version number. * @param {string|number|boolean} right An element from a version number. * * @return {number} 1 if {@code left} is higher. * 0 if arguments are equal. * -1 if {@code right} is higher. * @private */ goog.string.compareElements_ = function(left, right) { if (left < right) { return -1; } else if (left > right) { return 1; } return 0; }; /** * Maximum value of #goog.string.hashCode, exclusive. 2^32. * @type {number} * @private */ goog.string.HASHCODE_MAX_ = 0x100000000; /** * String hash function similar to java.lang.String.hashCode(). * The hash code for a string is computed as * s[0] * 31 ^ (n - 1) + s[1] * 31 ^ (n - 2) + ... + s[n - 1], * where s[i] is the ith character of the string and n is the length of * the string. We mod the result to make it between 0 (inclusive) and 2^32 * (exclusive). * @param {string} str A string. * @return {number} Hash value for {@code str}, between 0 (inclusive) and 2^32 * (exclusive). The empty string returns 0. */ goog.string.hashCode = function(str) { var result = 0; for (var i = 0; i < str.length; ++i) { result = 31 * result + str.charCodeAt(i); // Normalize to 4 byte range, 0 ... 2^32. result %= goog.string.HASHCODE_MAX_; } return result; }; /** * The most recent unique ID. |0 is equivalent to Math.floor in this case. * @type {number} * @private */ goog.string.uniqueStringCounter_ = Math.random() * 0x80000000 | 0; /** * Generates and returns a string which is unique in the current document. * This is useful, for example, to create unique IDs for DOM elements. * @return {string} A unique id. */ goog.string.createUniqueString = function() { return 'goog_' + goog.string.uniqueStringCounter_++; }; /** * Converts the supplied string to a number, which may be Ininity or NaN. * This function strips whitespace: (toNumber(' 123') === 123) * This function accepts scientific notation: (toNumber('1e1') === 10) * * This is better than Javascript's built-in conversions because, sadly: * (Number(' ') === 0) and (parseFloat('123a') === 123) * * @param {string} str The string to convert. * @return {number} The number the supplied string represents, or NaN. */ goog.string.toNumber = function(str) { var num = Number(str); if (num == 0 && goog.string.isEmpty(str)) { return NaN; } return num; }; /** * Converts a string from selector-case to camelCase (e.g. from * "multi-part-string" to "multiPartString"), useful for converting * CSS selectors and HTML dataset keys to their equivalent JS properties. * @param {string} str The string in selector-case form. * @return {string} The string in camelCase form. */ goog.string.toCamelCase = function(str) { return String(str).replace(/\-([a-z])/g, function(all, match) { return match.toUpperCase(); }); }; /** * Converts a string from camelCase to selector-case (e.g. from * "multiPartString" to "multi-part-string"), useful for converting JS * style and dataset properties to equivalent CSS selectors and HTML keys. * @param {string} str The string in camelCase form. * @return {string} The string in selector-case form. */ goog.string.toSelectorCase = function(str) { return String(str).replace(/([A-Z])/g, '-$1').toLowerCase(); }; /** * Converts a string into TitleCase. First character of the string is always * capitalized in addition to the first letter of every subsequent word. * Words are delimited by one or more whitespaces by default. Custom delimiters * can optionally be specified to replace the default, which doesn't preserve * whitespace delimiters and instead must be explicitly included if needed. * * Default delimiter => " ": * goog.string.toTitleCase('oneTwoThree') => 'OneTwoThree' * goog.string.toTitleCase('one two three') => 'One Two Three' * goog.string.toTitleCase(' one two ') => ' One Two ' * goog.string.toTitleCase('one_two_three') => 'One_two_three' * goog.string.toTitleCase('one-two-three') => 'One-two-three' * * Custom delimiter => "_-.": * goog.string.toTitleCase('oneTwoThree', '_-.') => 'OneTwoThree' * goog.string.toTitleCase('one two three', '_-.') => 'One two three' * goog.string.toTitleCase(' one two ', '_-.') => ' one two ' * goog.string.toTitleCase('one_two_three', '_-.') => 'One_Two_Three' * goog.string.toTitleCase('one-two-three', '_-.') => 'One-Two-Three' * goog.string.toTitleCase('one...two...three', '_-.') => 'One...Two...Three' * goog.string.toTitleCase('one. two. three', '_-.') => 'One. two. three' * goog.string.toTitleCase('one-two.three', '_-.') => 'One-Two.Three' * * @param {string} str String value in camelCase form. * @param {string=} opt_delimiters Custom delimiter character set used to * distinguish words in the string value. Each character represents a * single delimiter. When provided, default whitespace delimiter is * overridden and must be explicitly included if needed. * @return {string} String value in TitleCase form. */ goog.string.toTitleCase = function(str, opt_delimiters) { var delimiters = goog.isString(opt_delimiters) ? goog.string.regExpEscape(opt_delimiters) : '\\s'; // For IE8, we need to prevent using an empty character set. Otherwise, // incorrect matching will occur. delimiters = delimiters ? '|[' + delimiters + ']+' : ''; var regexp = new RegExp('(^' + delimiters + ')([a-z])', 'g'); return str.replace(regexp, function(all, p1, p2) { return p1 + p2.toUpperCase(); }); }; /** * Parse a string in decimal or hexidecimal ('0xFFFF') form. * * To parse a particular radix, please use parseInt(string, radix) directly. See * https://developer.mozilla.org/en/JavaScript/Reference/Global_Objects/parseInt * * This is a wrapper for the built-in parseInt function that will only parse * numbers as base 10 or base 16. Some JS implementations assume strings * starting with "0" are intended to be octal. ES3 allowed but discouraged * this behavior. ES5 forbids it. This function emulates the ES5 behavior. * * For more information, see Mozilla JS Reference: http://goo.gl/8RiFj * * @param {string|number|null|undefined} value The value to be parsed. * @return {number} The number, parsed. If the string failed to parse, this * will be NaN. */ goog.string.parseInt = function(value) { // Force finite numbers to strings. if (isFinite(value)) { value = String(value); } if (goog.isString(value)) { // If the string starts with '0x' or '-0x', parse as hex. return /^\s*-?0x/i.test(value) ? parseInt(value, 16) : parseInt(value, 10); } return NaN; };
JavaScript
// Copyright 2012 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Defines an interface for serializing objects into strings. */ goog.provide('goog.string.Stringifier'); /** * An interface for serializing objects into strings. * @interface */ goog.string.Stringifier = function() {}; /** * Serializes an object or a value to a string. * Agnostic to the particular format of object and string. * * @param {*} object The object to stringify. * @return {string} A string representation of the input. */ goog.string.Stringifier.prototype.stringify;
JavaScript
// Copyright 2013 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Unit tests for goog.string. */ goog.provide('goog.string.newlinesTest'); goog.require('goog.string.newlines'); goog.require('goog.testing.jsunit'); goog.setTestOnly('goog.string.newlinesTest'); // test for goog.string.splitLines function testSplitLines() { /** * @param {!Array.<string>} expected * @param {string} string * @param {boolean=} opt_keepNewlines */ function assertSplitLines(expected, string, opt_keepNewlines) { var keepNewlines = opt_keepNewlines || false; var lines = goog.string.newlines.splitLines(string, keepNewlines); assertElementsEquals(expected, lines); } // Test values borrowed from Python's splitlines. http://goo.gl/iwawx assertSplitLines(['abc', 'def', '', 'ghi'], 'abc\ndef\n\rghi'); assertSplitLines(['abc', 'def', '', 'ghi'], 'abc\ndef\n\r\nghi'); assertSplitLines(['abc', 'def', 'ghi'], 'abc\ndef\r\nghi'); assertSplitLines(['abc', 'def', 'ghi'], 'abc\ndef\r\nghi\n'); assertSplitLines(['abc', 'def', 'ghi', ''], 'abc\ndef\r\nghi\n\r'); assertSplitLines(['', 'abc', 'def', 'ghi', ''], '\nabc\ndef\r\nghi\n\r'); assertSplitLines(['', 'abc', 'def', 'ghi', ''], '\nabc\ndef\r\nghi\n\r'); assertSplitLines(['\n', 'abc\n', 'def\r\n', 'ghi\n', '\r'], '\nabc\ndef\r\nghi\n\r', true); assertSplitLines(['', 'abc', 'def', 'ghi', ''], '\nabc\ndef\r\nghi\n\r'); assertSplitLines(['\n', 'abc\n', 'def\r\n', 'ghi\n', '\r'], '\nabc\ndef\r\nghi\n\r', true); } function testGetLines() { var lines = goog.string.newlines.getLines('abc\ndef\n\rghi'); assertEquals(4, lines.length); assertEquals(0, lines[0].startLineIndex); assertEquals(3, lines[0].endContentIndex); assertEquals(4, lines[0].endLineIndex); assertEquals('abc', lines[0].getContent()); assertEquals('abc\n', lines[0].getFullLine()); assertEquals('\n', lines[0].getNewline()); assertEquals(4, lines[1].startLineIndex); assertEquals(7, lines[1].endContentIndex); assertEquals(8, lines[1].endLineIndex); assertEquals('def', lines[1].getContent()); assertEquals('def\n', lines[1].getFullLine()); assertEquals('\n', lines[1].getNewline()); assertEquals(8, lines[2].startLineIndex); assertEquals(8, lines[2].endContentIndex); assertEquals(9, lines[2].endLineIndex); assertEquals('', lines[2].getContent()); assertEquals('\r', lines[2].getFullLine()); assertEquals('\r', lines[2].getNewline()); assertEquals(9, lines[3].startLineIndex); assertEquals(12, lines[3].endContentIndex); assertEquals(12, lines[3].endLineIndex); assertEquals('ghi', lines[3].getContent()); assertEquals('ghi', lines[3].getFullLine()); assertEquals('', lines[3].getNewline()); }
JavaScript
// Copyright 2008 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Implementation of sprintf-like, python-%-operator-like, * .NET-String.Format-like functionality. Uses JS string's replace method to * extract format specifiers and sends those specifiers to a handler function, * which then, based on conversion type part of the specifier, calls the * appropriate function to handle the specific conversion. * For specific functionality implemented, look at formatRe below, or look * at the tests. */ goog.provide('goog.string.format'); goog.require('goog.string'); /** * Performs sprintf-like conversion, ie. puts the values in a template. * DO NOT use it instead of built-in conversions in simple cases such as * 'Cost: %.2f' as it would introduce unneccessary latency oposed to * 'Cost: ' + cost.toFixed(2). * @param {string} formatString Template string containing % specifiers. * @param {...string|number} var_args Values formatString is to be filled with. * @return {string} Formatted string. */ goog.string.format = function(formatString, var_args) { // Convert the arguments to an array (MDC recommended way). var args = Array.prototype.slice.call(arguments); // Try to get the template. var template = args.shift(); if (typeof template == 'undefined') { throw Error('[goog.string.format] Template required'); } // This re is used for matching, it also defines what is supported. var formatRe = /%([0\-\ \+]*)(\d+)?(\.(\d+))?([%sfdiu])/g; /** * Chooses which conversion function to call based on type conversion * specifier. * @param {string} match Contains the re matched string. * @param {string} flags Formatting flags. * @param {string} width Replacement string minimum width. * @param {string} dotp Matched precision including a dot. * @param {string} precision Specifies floating point precision. * @param {string} type Type conversion specifier. * @param {string} offset Matching location in the original string. * @param {string} wholeString Has the actualString being searched. * @return {string} Formatted parameter. */ function replacerDemuxer(match, flags, width, dotp, precision, type, offset, wholeString) { // The % is too simple and doesn't take an argument. if (type == '%') { return '%'; } // Try to get the actual value from parent function. var value = args.shift(); // If we didn't get any arguments, fail. if (typeof value == 'undefined') { throw Error('[goog.string.format] Not enough arguments'); } // Patch the value argument to the beginning of our type specific call. arguments[0] = value; return goog.string.format.demuxes_[type].apply(null, arguments); } return template.replace(formatRe, replacerDemuxer); }; /** * Contains various conversion functions (to be filled in later on). * @type {Object} * @private */ goog.string.format.demuxes_ = {}; /** * Processes %s conversion specifier. * @param {string} value Contains the formatRe matched string. * @param {string} flags Formatting flags. * @param {string} width Replacement string minimum width. * @param {string} dotp Matched precision including a dot. * @param {string} precision Specifies floating point precision. * @param {string} type Type conversion specifier. * @param {string} offset Matching location in the original string. * @param {string} wholeString Has the actualString being searched. * @return {string} Replacement string. */ goog.string.format.demuxes_['s'] = function(value, flags, width, dotp, precision, type, offset, wholeString) { var replacement = value; // If no padding is necessary we're done. // The check for '' is necessary because Firefox incorrectly provides the // empty string instead of undefined for non-participating capture groups, // and isNaN('') == false. if (isNaN(width) || width == '' || replacement.length >= width) { return replacement; } // Otherwise we should find out where to put spaces. if (flags.indexOf('-', 0) > -1) { replacement = replacement + goog.string.repeat(' ', width - replacement.length); } else { replacement = goog.string.repeat(' ', width - replacement.length) + replacement; } return replacement; }; /** * Processes %f conversion specifier. * @param {number} value Contains the formatRe matched string. * @param {string} flags Formatting flags. * @param {string} width Replacement string minimum width. * @param {string} dotp Matched precision including a dot. * @param {string} precision Specifies floating point precision. * @param {string} type Type conversion specifier. * @param {string} offset Matching location in the original string. * @param {string} wholeString Has the actualString being searched. * @return {string} Replacement string. */ goog.string.format.demuxes_['f'] = function(value, flags, width, dotp, precision, type, offset, wholeString) { var replacement = value.toString(); // The check for '' is necessary because Firefox incorrectly provides the // empty string instead of undefined for non-participating capture groups, // and isNaN('') == false. if (!(isNaN(precision) || precision == '')) { replacement = value.toFixed(precision); } // Generates sign string that will be attached to the replacement. var sign; if (value < 0) { sign = '-'; } else if (flags.indexOf('+') >= 0) { sign = '+'; } else if (flags.indexOf(' ') >= 0) { sign = ' '; } else { sign = ''; } if (value >= 0) { replacement = sign + replacement; } // If no padding is neccessary we're done. if (isNaN(width) || replacement.length >= width) { return replacement; } // We need a clean signless replacement to start with replacement = isNaN(precision) ? Math.abs(value).toString() : Math.abs(value).toFixed(precision); var padCount = width - replacement.length - sign.length; // Find out which side to pad, and if it's left side, then which character to // pad, and set the sign on the left and padding in the middle. if (flags.indexOf('-', 0) >= 0) { replacement = sign + replacement + goog.string.repeat(' ', padCount); } else { // Decides which character to pad. var paddingChar = (flags.indexOf('0', 0) >= 0) ? '0' : ' '; replacement = sign + goog.string.repeat(paddingChar, padCount) + replacement; } return replacement; }; /** * Processes %d conversion specifier. * @param {string} value Contains the formatRe matched string. * @param {string} flags Formatting flags. * @param {string} width Replacement string minimum width. * @param {string} dotp Matched precision including a dot. * @param {string} precision Specifies floating point precision. * @param {string} type Type conversion specifier. * @param {string} offset Matching location in the original string. * @param {string} wholeString Has the actualString being searched. * @return {string} Replacement string. */ goog.string.format.demuxes_['d'] = function(value, flags, width, dotp, precision, type, offset, wholeString) { return goog.string.format.demuxes_['f']( parseInt(value, 10) /* value */, flags, width, dotp, 0 /* precision */, type, offset, wholeString); }; // These are additional aliases, for integer conversion. goog.string.format.demuxes_['i'] = goog.string.format.demuxes_['d']; goog.string.format.demuxes_['u'] = goog.string.format.demuxes_['d'];
JavaScript
// Copyright 2008 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Utility function for linkifying text. * @author bolinfest@google.com (Michael Bolin) */ goog.provide('goog.string.linkify'); goog.require('goog.string'); /** * Takes a string of plain text and linkifies URLs and email addresses. For a * URL (unless opt_attributes is specified), the target of the link will be * _blank and it will have a rel=nofollow attribute applied to it so that links * created by linkify will not be of interest to search engines. * @param {string} text Plain text. * @param {Object.<string, string>=} opt_attributes Attributes to add to all * links created. Default are rel=nofollow and target=blank. To clear those * default attributes set rel='' and target='_blank'. * @return {string} HTML Linkified HTML text. */ goog.string.linkify.linkifyPlainText = function(text, opt_attributes) { var attributesMap = opt_attributes || {}; // Set default options. if (!('rel' in attributesMap)) { attributesMap['rel'] = 'nofollow'; } if (!('target' in attributesMap)) { attributesMap['target'] = '_blank'; } // Creates attributes string from options. var attributesArray = []; for (var key in attributesMap) { if (attributesMap.hasOwnProperty(key) && attributesMap[key]) { attributesArray.push( goog.string.htmlEscape(key), '="', goog.string.htmlEscape(attributesMap[key]), '" '); } } var attributes = attributesArray.join(''); return text.replace( goog.string.linkify.FIND_LINKS_RE_, function(part, before, original, email, protocol) { var output = [goog.string.htmlEscape(before)]; if (!original) { return output[0]; } output.push('<a ', attributes, 'href="'); /** @type {string} */ var linkText; /** @type {string} */ var afterLink; if (email) { output.push('mailto:'); linkText = email; afterLink = ''; } else { // This is a full url link. if (!protocol) { output.push('http://'); } var splitEndingPunctuation = original.match(goog.string.linkify.ENDS_WITH_PUNCTUATION_RE_); if (splitEndingPunctuation) { linkText = splitEndingPunctuation[1]; afterLink = splitEndingPunctuation[2]; } else { linkText = original; afterLink = ''; } } linkText = goog.string.htmlEscape(linkText); afterLink = goog.string.htmlEscape(afterLink); output.push(linkText, '">', linkText, '</a>', afterLink); return output.join(''); }); }; /** * Gets the first URI in text. * @param {string} text Plain text. * @return {string} The first URL, or an empty string if not found. */ goog.string.linkify.findFirstUrl = function(text) { var link = text.match(goog.string.linkify.URL_); return link != null ? link[0] : ''; }; /** * Gets the first email address in text. * @param {string} text Plain text. * @return {string} The first email address, or an empty string if not found. */ goog.string.linkify.findFirstEmail = function(text) { var email = text.match(goog.string.linkify.EMAIL_); return email != null ? email[0] : ''; }; /** * @type {string} * @const * @private */ goog.string.linkify.ENDING_PUNCTUATION_CHARS_ = ':;,\\.?\\[\\]'; /** * @type {!RegExp} * @const * @private */ goog.string.linkify.ENDS_WITH_PUNCTUATION_RE_ = new RegExp( '^(.*)([' + goog.string.linkify.ENDING_PUNCTUATION_CHARS_ + '])$'); /** * @type {string} * @const * @private */ goog.string.linkify.ACCEPTABLE_URL_CHARS_ = goog.string.linkify.ENDING_PUNCTUATION_CHARS_ + '\\w/~%&=+#-@!'; /** * List of all protocols patterns recognized in urls (mailto is handled in email * matching). * @type {!Array.<string>} * @const * @private */ goog.string.linkify.RECOGNIZED_PROTOCOLS_ = ['https?', 'ftp']; /** * Regular expression pattern that matches the beginning of an url. * Contains a catching group to capture the scheme. * @type {string} * @const * @private */ goog.string.linkify.PROTOCOL_START_ = '(' + goog.string.linkify.RECOGNIZED_PROTOCOLS_.join('|') + ')://+'; /** * Regular expression pattern that matches the beginning of a typical * http url without the http:// scheme. * @type {string} * @const * @private */ goog.string.linkify.WWW_START_ = 'www\\.'; /** * Regular expression pattern that matches an url. * @type {string} * @const * @private */ goog.string.linkify.URL_ = '(?:' + goog.string.linkify.PROTOCOL_START_ + '|' + goog.string.linkify.WWW_START_ + ')\\w[' + goog.string.linkify.ACCEPTABLE_URL_CHARS_ + ']*'; /** * Regular expression pattern that matches a top level domain. * @type {string} * @const * @private */ goog.string.linkify.TOP_LEVEL_DOMAIN_ = '(?:com|org|net|edu|gov' + // from http://www.iana.org/gtld/gtld.htm '|aero|biz|cat|coop|info|int|jobs|mobi|museum|name|pro|travel' + '|arpa|asia|xxx' + // a two letter country code '|[a-z][a-z])\\b'; /** * Regular expression pattern that matches an email. * Contains a catching group to capture the email without the optional "mailto:" * prefix. * @type {string} * @const * @private */ goog.string.linkify.EMAIL_ = '(?:mailto:)?([\\w.+-]+@[A-Za-z0-9.-]+\\.' + goog.string.linkify.TOP_LEVEL_DOMAIN_ + ')'; /** * Regular expression to match all the links (url or email) in a string. * First match is text before first link, might be empty string. * Second match is the original text that should be replaced by a link. * Third match is the email address in the case of an email. * Fourth match is the scheme of the url if specified. * @type {!RegExp} * @const * @private */ goog.string.linkify.FIND_LINKS_RE_ = new RegExp( // Match everything including newlines. '([\\S\\s]*?)(' + // Match email after a word break. '\\b' + goog.string.linkify.EMAIL_ + '|' + // Match url after a workd break. '\\b' + goog.string.linkify.URL_ + '|$)', 'g');
JavaScript
// Copyright 2010 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Utilities for dealing with POSIX path strings. Based on * Python's os.path and posixpath. * @author nnaze@google.com (Nathan Naze) */ goog.provide('goog.string.path'); goog.require('goog.array'); goog.require('goog.string'); /** * Returns the final component of a pathname. * See http://docs.python.org/library/os.path.html#os.path.basename * @param {string} path A pathname. * @return {string} path The final component of a pathname, i.e. everything * after the final slash. */ goog.string.path.basename = function(path) { var i = path.lastIndexOf('/') + 1; return path.slice(i); }; /** * Returns the directory component of a pathname. * See http://docs.python.org/library/os.path.html#os.path.dirname * @param {string} path A pathname. * @return {string} The directory component of a pathname, i.e. everything * leading up to the final slash. */ goog.string.path.dirname = function(path) { var i = path.lastIndexOf('/') + 1; var head = path.slice(0, i); // If the path isn't all forward slashes, trim the trailing slashes. if (!/^\/+$/.test(head)) { head = head.replace(/\/+$/, ''); } return head; }; /** * Extracts the extension part of a pathname. * @param {string} path The path name to process. * @return {string} The extension if any, otherwise the empty string. */ goog.string.path.extension = function(path) { var separator = '.'; // Combining all adjacent periods in the basename to a single period. var basename = goog.string.path.basename(path).replace(/\.+/g, separator); var separatorIndex = basename.lastIndexOf(separator); return separatorIndex <= 0 ? '' : basename.substr(separatorIndex + 1); }; /** * Joins one or more path components (e.g. 'foo/' and 'bar' make 'foo/bar'). * An absolute component will discard all previous component. * See http://docs.python.org/library/os.path.html#os.path.join * @param {...string} var_args One of more path components. * @return {string} The path components joined. */ goog.string.path.join = function(var_args) { var path = arguments[0]; for (var i = 1; i < arguments.length; i++) { var arg = arguments[i]; if (goog.string.startsWith(arg, '/')) { path = arg; } else if (path == '' || goog.string.endsWith(arg, '/')) { path += arg; } else { path += '/' + arg; } } return path; }; /** * Normalizes a pathname by collapsing duplicate separators, parent directory * references ('..'), and current directory references ('.'). * See http://docs.python.org/library/os.path.html#os.path.normpath * @param {string} path One or more path components. * @return {string} The path after normalization. */ goog.string.path.normalizePath = function(path) { if (path == '') { return '.'; } var initialSlashes = ''; // POSIX will keep two slashes, but three or more will be collapsed to one. if (goog.string.startsWith(path, '/')) { initialSlashes = '/'; if (goog.string.startsWith(path, '//') && !goog.string.startsWith(path, '///')) { initialSlashes = '//'; } } var parts = path.split('/'); var newParts = []; for (var i = 0; i < parts.length; i++) { var part = parts[i]; // '' and '.' don't change the directory, ignore. if (part == '' || part == '.') { continue; } // A '..' should pop a directory unless this is not an absolute path and // we're at the root, or we've travelled upwards relatively in the last // iteration. if (part != '..' || (!initialSlashes && !newParts.length) || goog.array.peek(newParts) == '..') { newParts.push(part); } else { newParts.pop(); } } var returnPath = initialSlashes + newParts.join('/'); return returnPath || '.'; }; /** * Splits a pathname into "dirname" and "basename" components, where "basename" * is everything after the final slash. Either part may return an empty string. * See http://docs.python.org/library/os.path.html#os.path.split * @param {string} path A pathname. * @return {!Array.<string>} An array of [dirname, basename]. */ goog.string.path.split = function(path) { var head = goog.string.path.dirname(path); var tail = goog.string.path.basename(path); return [head, tail]; }; // TODO(nnaze): Implement other useful functions from os.path
JavaScript
// Copyright 2012 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Defines an interface for parsing strings into objects. */ goog.provide('goog.string.Parser'); /** * An interface for parsing strings into objects. * @interface */ goog.string.Parser = function() {}; /** * Parses a string into an object and returns the result. * Agnostic to the format of string and object. * * @param {string} s The string to parse. * @return {*} The object generated from the string. */ goog.string.Parser.prototype.parse;
JavaScript
// Copyright 2008 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Datastructure: A point Quad Tree for representing 2D data. Each * region has the same ratio as the bounds for the tree. * * The implementation currently requires pre-determined bounds for data as it * can not rebalance itself to that degree. * * @see ../demos/quadtree.html */ goog.provide('goog.structs.QuadTree'); goog.provide('goog.structs.QuadTree.Node'); goog.provide('goog.structs.QuadTree.Point'); goog.require('goog.math.Coordinate'); /** * Constructs a new quad tree. * @param {number} minX Minimum x-value that can be held in tree. * @param {number} minY Minimum y-value that can be held in tree. * @param {number} maxX Maximum x-value that can be held in tree. * @param {number} maxY Maximum y-value that can be held in tree. * @constructor */ goog.structs.QuadTree = function(minX, minY, maxX, maxY) { /** * The root node for the quad tree. * @type {goog.structs.QuadTree.Node} * @private */ this.root_ = new goog.structs.QuadTree.Node( minX, minY, maxX - minX, maxY - minY); }; /** * Count of the number of items in the tree. * @type {number} * @private */ goog.structs.QuadTree.prototype.count_ = 0; /** * Returns a reference to the tree's root node. Callers shouldn't modify nodes, * directly. This is a convenience for visualization and debugging purposes. * @return {goog.structs.QuadTree.Node} The root node. */ goog.structs.QuadTree.prototype.getRootNode = function() { return this.root_; }; /** * Sets the value of an (x, y) point within the quad-tree. * @param {number} x The x-coordinate. * @param {number} y The y-coordinate. * @param {*} value The value associated with the point. */ goog.structs.QuadTree.prototype.set = function(x, y, value) { var root = this.root_; if (x < root.x || y < root.y || x > root.x + root.w || y > root.y + root.h) { throw Error('Out of bounds : (' + x + ', ' + y + ')'); } if (this.insert_(root, new goog.structs.QuadTree.Point(x, y, value))) { this.count_++; } }; /** * Gets the value of the point at (x, y) or null if the point is empty. * @param {number} x The x-coordinate. * @param {number} y The y-coordinate. * @param {*=} opt_default The default value to return if the node doesn't * exist. * @return {*} The value of the node, the default value if the node * doesn't exist, or undefined if the node doesn't exist and no default * has been provided. */ goog.structs.QuadTree.prototype.get = function(x, y, opt_default) { var node = this.find_(this.root_, x, y); return node ? node.point.value : opt_default; }; /** * Removes a point from (x, y) if it exists. * @param {number} x The x-coordinate. * @param {number} y The y-coordinate. * @return {*} The value of the node that was removed, or null if the * node doesn't exist. */ goog.structs.QuadTree.prototype.remove = function(x, y) { var node = this.find_(this.root_, x, y); if (node) { var value = node.point.value; node.point = null; node.nodeType = goog.structs.QuadTree.NodeType.EMPTY; this.balance_(node); this.count_--; return value; } else { return null; } }; /** * Returns true if the point at (x, y) exists in the tree. * @param {number} x The x-coordinate. * @param {number} y The y-coordinate. * @return {boolean} Whether the tree contains a point at (x, y). */ goog.structs.QuadTree.prototype.contains = function(x, y) { return this.get(x, y) != null; }; /** * @return {boolean} Whether the tree is empty. */ goog.structs.QuadTree.prototype.isEmpty = function() { return this.root_.nodeType == goog.structs.QuadTree.NodeType.EMPTY; }; /** * @return {number} The number of items in the tree. */ goog.structs.QuadTree.prototype.getCount = function() { return this.count_; }; /** * Removes all items from the tree. */ goog.structs.QuadTree.prototype.clear = function() { this.root_.nw = this.root_.ne = this.root_.sw = this.root_.se = null; this.root_.nodeType = goog.structs.QuadTree.NodeType.EMPTY; this.root_.point = null; this.count_ = 0; }; /** * Returns an array containing the coordinates of each point stored in the tree. * @return {Array.<goog.math.Coordinate?>} Array of coordinates. */ goog.structs.QuadTree.prototype.getKeys = function() { var arr = []; this.traverse_(this.root_, function(node) { arr.push(new goog.math.Coordinate(node.point.x, node.point.y)); }); return arr; }; /** * Returns an array containing all values stored within the tree. * @return {Array.<Object>} The values stored within the tree. */ goog.structs.QuadTree.prototype.getValues = function() { var arr = []; this.traverse_(this.root_, function(node) { // Must have a point because it's a leaf. arr.push(node.point.value); }); return arr; }; /** * Clones the quad-tree and returns the new instance. * @return {goog.structs.QuadTree} A clone of the tree. */ goog.structs.QuadTree.prototype.clone = function() { var x1 = this.root_.x; var y1 = this.root_.y; var x2 = x1 + this.root_.w; var y2 = y1 + this.root_.h; var clone = new goog.structs.QuadTree(x1, y1, x2, y2); // This is inefficient as the clone needs to recalculate the structure of the // tree, even though we know it already. But this is easier and can be // optimized when/if needed. this.traverse_(this.root_, function(node) { clone.set(node.point.x, node.point.y, node.point.value); }); return clone; }; /** * Traverses the tree and calls a function on each node. * @param {function(?, goog.math.Coordinate, goog.structs.QuadTree)} fn * The function to call for every value. This function takes 3 arguments * (the value, the coordinate, and the tree itself) and the return value is * irrelevant. * @param {Object=} opt_obj The object to be used as the value of 'this' * within {@ code fn}. */ goog.structs.QuadTree.prototype.forEach = function(fn, opt_obj) { this.traverse_(this.root_, function(node) { var coord = new goog.math.Coordinate(node.point.x, node.point.y); fn.call(opt_obj, node.point.value, coord, this); }); }; /** * Traverses the tree depth-first, with quadrants being traversed in clockwise * order (NE, SE, SW, NW). The provided function will be called for each * leaf node that is encountered. * @param {goog.structs.QuadTree.Node} node The current node. * @param {function(goog.structs.QuadTree.Node)} fn The function to call * for each leaf node. This function takes the node as an argument, and its * return value is irrelevant. * @private */ goog.structs.QuadTree.prototype.traverse_ = function(node, fn) { switch (node.nodeType) { case goog.structs.QuadTree.NodeType.LEAF: fn.call(this, node); break; case goog.structs.QuadTree.NodeType.POINTER: this.traverse_(node.ne, fn); this.traverse_(node.se, fn); this.traverse_(node.sw, fn); this.traverse_(node.nw, fn); break; } }; /** * Finds a leaf node with the same (x, y) coordinates as the target point, or * null if no point exists. * @param {goog.structs.QuadTree.Node} node The node to search in. * @param {number} x The x-coordinate of the point to search for. * @param {number} y The y-coordinate of the point to search for. * @return {goog.structs.QuadTree.Node} The leaf node that matches the target, * or null if it doesn't exist. * @private */ goog.structs.QuadTree.prototype.find_ = function(node, x, y) { switch (node.nodeType) { case goog.structs.QuadTree.NodeType.EMPTY: return null; case goog.structs.QuadTree.NodeType.LEAF: return node.point.x == x && node.point.y == y ? node : null; case goog.structs.QuadTree.NodeType.POINTER: return this.find_(this.getQuadrantForPoint_(node, x, y), x, y); default: throw Error('Invalid nodeType'); } }; /** * Inserts a point into the tree, updating the tree's structure if necessary. * @param {goog.structs.QuadTree.Node} parent The parent to insert the point * into. * @param {goog.structs.QuadTree.Point} point The point to insert. * @return {boolean} True if a new node was added to the tree; False if a node * already existed with the correpsonding coordinates and had its value * reset. * @private */ goog.structs.QuadTree.prototype.insert_ = function(parent, point) { switch (parent.nodeType) { case goog.structs.QuadTree.NodeType.EMPTY: this.setPointForNode_(parent, point); return true; case goog.structs.QuadTree.NodeType.LEAF: if (parent.point.x == point.x && parent.point.y == point.y) { this.setPointForNode_(parent, point); return false; } else { this.split_(parent); return this.insert_(parent, point); } case goog.structs.QuadTree.NodeType.POINTER: return this.insert_( this.getQuadrantForPoint_(parent, point.x, point.y), point); default: throw Error('Invalid nodeType in parent'); } }; /** * Converts a leaf node to a pointer node and reinserts the node's point into * the correct child. * @param {goog.structs.QuadTree.Node} node The node to split. * @private */ goog.structs.QuadTree.prototype.split_ = function(node) { var oldPoint = node.point; node.point = null; node.nodeType = goog.structs.QuadTree.NodeType.POINTER; var x = node.x; var y = node.y; var hw = node.w / 2; var hh = node.h / 2; node.nw = new goog.structs.QuadTree.Node(x, y, hw, hh, node); node.ne = new goog.structs.QuadTree.Node(x + hw, y, hw, hh, node); node.sw = new goog.structs.QuadTree.Node(x, y + hh, hw, hh, node); node.se = new goog.structs.QuadTree.Node(x + hw, y + hh, hw, hh, node); this.insert_(node, oldPoint); }; /** * Attempts to balance a node. A node will need balancing if all its children * are empty or it contains just one leaf. * @param {goog.structs.QuadTree.Node} node The node to balance. * @private */ goog.structs.QuadTree.prototype.balance_ = function(node) { switch (node.nodeType) { case goog.structs.QuadTree.NodeType.EMPTY: case goog.structs.QuadTree.NodeType.LEAF: if (node.parent) { this.balance_(node.parent); } break; case goog.structs.QuadTree.NodeType.POINTER: var nw = node.nw, ne = node.ne, sw = node.sw, se = node.se; var firstLeaf = null; // Look for the first non-empty child, if there is more than one then we // break as this node can't be balanced. if (nw.nodeType != goog.structs.QuadTree.NodeType.EMPTY) { firstLeaf = nw; } if (ne.nodeType != goog.structs.QuadTree.NodeType.EMPTY) { if (firstLeaf) { break; } firstLeaf = ne; } if (sw.nodeType != goog.structs.QuadTree.NodeType.EMPTY) { if (firstLeaf) { break; } firstLeaf = sw; } if (se.nodeType != goog.structs.QuadTree.NodeType.EMPTY) { if (firstLeaf) { break; } firstLeaf = se; } if (!firstLeaf) { // All child nodes are empty: so make this node empty. node.nodeType = goog.structs.QuadTree.NodeType.EMPTY; node.nw = node.ne = node.sw = node.se = null; } else if (firstLeaf.nodeType == goog.structs.QuadTree.NodeType.POINTER) { // Only child was a pointer, therefore we can't rebalance. break; } else { // Only child was a leaf: so update node's point and make it a leaf. node.nodeType = goog.structs.QuadTree.NodeType.LEAF; node.nw = node.ne = node.sw = node.se = null; node.point = firstLeaf.point; } // Try and balance the parent as well. if (node.parent) { this.balance_(node.parent); } break; } }; /** * Returns the child quadrant within a node that contains the given (x, y) * coordinate. * @param {goog.structs.QuadTree.Node} parent The node. * @param {number} x The x-coordinate to look for. * @param {number} y The y-coordinate to look for. * @return {goog.structs.QuadTree.Node} The child quadrant that contains the * point. * @private */ goog.structs.QuadTree.prototype.getQuadrantForPoint_ = function(parent, x, y) { var mx = parent.x + parent.w / 2; var my = parent.y + parent.h / 2; if (x < mx) { return y < my ? parent.nw : parent.sw; } else { return y < my ? parent.ne : parent.se; } }; /** * Sets the point for a node, as long as the node is a leaf or empty. * @param {goog.structs.QuadTree.Node} node The node to set the point for. * @param {goog.structs.QuadTree.Point} point The point to set. * @private */ goog.structs.QuadTree.prototype.setPointForNode_ = function(node, point) { if (node.nodeType == goog.structs.QuadTree.NodeType.POINTER) { throw Error('Can not set point for node of type POINTER'); } node.nodeType = goog.structs.QuadTree.NodeType.LEAF; node.point = point; }; /** * Enumeration of node types. * @enum {number} */ goog.structs.QuadTree.NodeType = { EMPTY: 0, LEAF: 1, POINTER: 2 }; /** * Constructs a new quad tree node. * @param {number} x X-coordiate of node. * @param {number} y Y-coordinate of node. * @param {number} w Width of node. * @param {number} h Height of node. * @param {goog.structs.QuadTree.Node=} opt_parent Optional parent node. * @constructor */ goog.structs.QuadTree.Node = function(x, y, w, h, opt_parent) { /** * The x-coordinate of the node. * @type {number} */ this.x = x; /** * The y-coordinate of the node. * @type {number} */ this.y = y; /** * The width of the node. * @type {number} */ this.w = w; /** * The height of the node. * @type {number} */ this.h = h; /** * The parent node. * @type {goog.structs.QuadTree.Node?} */ this.parent = opt_parent || null; }; /** * The node's type. * @type {goog.structs.QuadTree.NodeType} */ goog.structs.QuadTree.Node.prototype.nodeType = goog.structs.QuadTree.NodeType.EMPTY; /** * The child node in the North-West quadrant. * @type {goog.structs.QuadTree.Node?} */ goog.structs.QuadTree.Node.prototype.nw = null; /** * The child node in the North-East quadrant. * @type {goog.structs.QuadTree.Node?} */ goog.structs.QuadTree.Node.prototype.ne = null; /** * The child node in the South-West quadrant. * @type {goog.structs.QuadTree.Node?} */ goog.structs.QuadTree.Node.prototype.sw = null; /** * The child node in the South-East quadrant. * @type {goog.structs.QuadTree.Node?} */ goog.structs.QuadTree.Node.prototype.se = null; /** * The point for the node, if it is a leaf node. * @type {goog.structs.QuadTree.Point?} */ goog.structs.QuadTree.Node.prototype.point = null; /** * Creates a new point object. * @param {number} x The x-coordinate of the point. * @param {number} y The y-coordinate of the point. * @param {*=} opt_value Optional value associated with the point. * @constructor */ goog.structs.QuadTree.Point = function(x, y, opt_value) { /** * The x-coordinate for the point. * @type {number} */ this.x = x; /** * The y-coordinate for the point. * @type {number} */ this.y = y; /** * Optional value associated with the point. * @type {*} */ this.value = goog.isDef(opt_value) ? opt_value : null; };
JavaScript
// Copyright 2007 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Datastructure: AvlTree. * * * This file provides the implementation of an AVL-Tree datastructure. The tree * maintains a set of unique values in a sorted order. The values can be * accessed efficiently in their sorted order since the tree enforces an O(logn) * maximum height. See http://en.wikipedia.org/wiki/Avl_tree for more detail. * * The big-O notation for all operations are below: * <pre> * Method big-O * ---------------------------------------------------------------------------- * - add O(logn) * - remove O(logn) * - clear O(1) * - contains O(logn) * - getCount O(1) * - getMinimum O(1), or O(logn) when optional root is specified * - getMaximum O(1), or O(logn) when optional root is specified * - getHeight O(1) * - getValues O(n) * - inOrderTraverse O(logn + k), where k is number of traversed nodes * - reverseOrderTraverse O(logn + k), where k is number of traversed nodes * </pre> */ goog.provide('goog.structs.AvlTree'); goog.provide('goog.structs.AvlTree.Node'); goog.require('goog.structs'); goog.require('goog.structs.Collection'); /** * Constructs an AVL-Tree, which uses the specified comparator to order its * values. The values can be accessed efficiently in their sorted order since * the tree enforces a O(logn) maximum height. * * @param {Function=} opt_comparator Function used to order the tree's nodes. * @constructor * @implements {goog.structs.Collection} */ goog.structs.AvlTree = function(opt_comparator) { this.comparator_ = opt_comparator || goog.structs.AvlTree.DEFAULT_COMPARATOR_; }; /** * String comparison function used to compare values in the tree. This function * is used by default if no comparator is specified in the tree's constructor. * * @param {string} a The first string. * @param {string} b The second string. * @return {number} -1 if a < b, 1 if a > b, 0 if a = b. * @private */ goog.structs.AvlTree.DEFAULT_COMPARATOR_ = function(a, b) { if (String(a) < String(b)) { return -1; } else if (String(a) > String(b)) { return 1; } return 0; }; /** * Pointer to the root node of the tree. * * @type {goog.structs.AvlTree.Node} * @private */ goog.structs.AvlTree.prototype.root_ = null; /** * Comparison function used to compare values in the tree. This function should * take two values, a and b, and return x where: * <pre> * x < 0 if a < b, * x > 0 if a > b, * x = 0 otherwise * </pre> * * @type {Function} * @private */ goog.structs.AvlTree.prototype.comparator_ = null; /** * Pointer to the node with the smallest value in the tree. * * @type {goog.structs.AvlTree.Node} * @private */ goog.structs.AvlTree.prototype.minNode_ = null; /** * Pointer to the node with the largest value in the tree. * * @type {goog.structs.AvlTree.Node} * @private */ goog.structs.AvlTree.prototype.maxNode_ = null; /** * Inserts a node into the tree with the specified value if the tree does * not already contain a node with the specified value. If the value is * inserted, the tree is balanced to enforce the AVL-Tree height property. * * @param {*} value Value to insert into the tree. * @return {boolean} Whether value was inserted into the tree. * @override */ goog.structs.AvlTree.prototype.add = function(value) { // If the tree is empty, create a root node with the specified value if (this.root_ == null) { this.root_ = new goog.structs.AvlTree.Node(value); this.minNode_ = this.root_; this.maxNode_ = this.root_; return true; } // This will be set to the new node if a new node is added. var newNode = null; // Depth traverse the tree and insert the value if we reach a null node this.traverse_(function(node) { var retNode = null; if (this.comparator_(node.value, value) > 0) { retNode = node.left; if (node.left == null) { newNode = new goog.structs.AvlTree.Node(value, node); node.left = newNode; if (node == this.minNode_) { this.minNode_ = newNode; } } } else if (this.comparator_(node.value, value) < 0) { retNode = node.right; if (node.right == null) { newNode = new goog.structs.AvlTree.Node(value, node); node.right = newNode; if (node == this.maxNode_) { this.maxNode_ = newNode; } } } return retNode; // If null, we'll stop traversing the tree }); // If a node was added, increment counts and balance tree. if (newNode) { this.traverse_( function(node) { node.count++; return node.parent; }, newNode.parent); this.balance_(newNode.parent); // Maintain the AVL-tree balance } // Return true if a node was added, false otherwise return !!newNode; }; /** * Removes a node from the tree with the specified value if the tree contains a * node with this value. If a node is removed the tree is balanced to enforce * the AVL-Tree height property. The value of the removed node is returned. * * @param {*} value Value to find and remove from the tree. * @return {*} The value of the removed node or null if the value was not in * the tree. * @override */ goog.structs.AvlTree.prototype.remove = function(value) { // Assume the value is not removed and set the value when it is removed var retValue = null; // Depth traverse the tree and remove the value if we find it this.traverse_(function(node) { var retNode = null; if (this.comparator_(node.value, value) > 0) { retNode = node.left; } else if (this.comparator_(node.value, value) < 0) { retNode = node.right; } else { retValue = node.value; this.removeNode_(node); } return retNode; // If null, we'll stop traversing the tree }); // Return the value that was removed, null if the value was not in the tree return retValue; }; /** * Removes all nodes from the tree. */ goog.structs.AvlTree.prototype.clear = function() { this.root_ = null; this.minNode_ = null; this.maxNode_ = null; }; /** * Returns true if the tree contains a node with the specified value, false * otherwise. * * @param {*} value Value to find in the tree. * @return {boolean} Whether the tree contains a node with the specified value. * @override */ goog.structs.AvlTree.prototype.contains = function(value) { // Assume the value is not in the tree and set this value if it is found var isContained = false; // Depth traverse the tree and set isContained if we find the node this.traverse_(function(node) { var retNode = null; if (this.comparator_(node.value, value) > 0) { retNode = node.left; } else if (this.comparator_(node.value, value) < 0) { retNode = node.right; } else { isContained = true; } return retNode; // If null, we'll stop traversing the tree }); // Return true if the value is contained in the tree, false otherwise return isContained; }; /** * Returns the number of values stored in the tree. * * @return {number} The number of values stored in the tree. * @override */ goog.structs.AvlTree.prototype.getCount = function() { return this.root_ ? this.root_.count : 0; }; /** * Returns a k-th smallest value, based on the comparator, where 0 <= k < * this.getCount(). * @param {number} k The number k. * @return {*} The k-th smallest value. */ goog.structs.AvlTree.prototype.getKthValue = function(k) { if (k < 0 || k >= this.getCount()) { return null; } return this.getKthNode_(k).value; }; /** * Returns the value u, such that u is contained in the tree and u < v, for all * values v in the tree where v != u. * * @return {*} The minimum value contained in the tree. */ goog.structs.AvlTree.prototype.getMinimum = function() { return this.getMinNode_().value; }; /** * Returns the value u, such that u is contained in the tree and u > v, for all * values v in the tree where v != u. * * @return {*} The maximum value contained in the tree. */ goog.structs.AvlTree.prototype.getMaximum = function() { return this.getMaxNode_().value; }; /** * Returns the height of the tree (the maximum depth). This height should * always be <= 1.4405*(Math.log(n+2)/Math.log(2))-1.3277, where n is the * number of nodes in the tree. * * @return {number} The height of the tree. */ goog.structs.AvlTree.prototype.getHeight = function() { return this.root_ ? this.root_.height : 0; }; /** * Inserts the values stored in the tree into a new Array and returns the Array. * * @return {Array} An array containing all of the trees values in sorted order. */ goog.structs.AvlTree.prototype.getValues = function() { var ret = []; this.inOrderTraverse(function(value) { ret.push(value); }); return ret; }; /** * Performs an in-order traversal of the tree and calls {@code func} with each * traversed node, optionally starting from the smallest node with a value >= to * the specified start value. The traversal ends after traversing the tree's * maximum node or when {@code func} returns a value that evaluates to true. * * @param {Function} func Function to call on each traversed node. * @param {Object=} opt_startValue If specified, traversal will begin on the * node with the smallest value >= opt_startValue. */ goog.structs.AvlTree.prototype.inOrderTraverse = function(func, opt_startValue) { // If our tree is empty, return immediately if (!this.root_) { return; } // Depth traverse the tree to find node to begin in-order traversal from var startNode; if (opt_startValue) { this.traverse_(function(node) { var retNode = null; if (this.comparator_(node.value, opt_startValue) > 0) { retNode = node.left; startNode = node; } else if (this.comparator_(node.value, opt_startValue) < 0) { retNode = node.right; } else { startNode = node; } return retNode; // If null, we'll stop traversing the tree }); } else { startNode = this.getMinNode_(); } // Traverse the tree and call func on each traversed node's value var node = startNode, prev = startNode.left ? startNode.left : startNode; while (node != null) { if (node.left != null && node.left != prev && node.right != prev) { node = node.left; } else { if (node.right != prev) { if (func(node.value)) { return; } } var temp = node; node = node.right != null && node.right != prev ? node.right : node.parent; prev = temp; } } }; /** * Performs a reverse-order traversal of the tree and calls {@code func} with * each traversed node, optionally starting from the largest node with a value * <= to the specified start value. The traversal ends after traversing the * tree's minimum node or when func returns a value that evaluates to true. * * @param {Function} func Function to call on each traversed node. * @param {Object=} opt_startValue If specified, traversal will begin on the * node with the largest value <= opt_startValue. */ goog.structs.AvlTree.prototype.reverseOrderTraverse = function(func, opt_startValue) { // If our tree is empty, return immediately if (!this.root_) { return; } // Depth traverse the tree to find node to begin reverse-order traversal from var startNode; if (opt_startValue) { this.traverse_(goog.bind(function(node) { var retNode = null; if (this.comparator_(node.value, opt_startValue) > 0) { retNode = node.left; } else if (this.comparator_(node.value, opt_startValue) < 0) { retNode = node.right; startNode = node; } else { startNode = node; } return retNode; // If null, we'll stop traversing the tree }, this)); } else { startNode = this.getMaxNode_(); } // Traverse the tree and call func on each traversed node's value var node = startNode, prev = startNode.right ? startNode.right : startNode; while (node != null) { if (node.right != null && node.right != prev && node.left != prev) { node = node.right; } else { if (node.left != prev) { if (func(node.value)) { return; } } var temp = node; node = node.left != null && node.left != prev ? node.left : node.parent; prev = temp; } } }; /** * Performs a traversal defined by the supplied {@code traversalFunc}. The first * call to {@code traversalFunc} is passed the root or the optionally specified * startNode. After that, calls {@code traversalFunc} with the node returned * by the previous call to {@code traversalFunc} until {@code traversalFunc} * returns null or the optionally specified endNode. The first call to * traversalFunc is passed the root or the optionally specified startNode. * * @param {Function} traversalFunc Function used to traverse the tree. Takes a * node as a parameter and returns a node. * @param {goog.structs.AvlTree.Node=} opt_startNode The node at which the * traversal begins. * @param {goog.structs.AvlTree.Node=} opt_endNode The node at which the * traversal ends. * @private */ goog.structs.AvlTree.prototype.traverse_ = function(traversalFunc, opt_startNode, opt_endNode) { var node = opt_startNode ? opt_startNode : this.root_; var endNode = opt_endNode ? opt_endNode : null; while (node && node != endNode) { node = traversalFunc.call(this, node); } }; /** * Ensures that the specified node and all its ancestors are balanced. If they * are not, performs left and right tree rotations to achieve a balanced * tree. This method assumes that at most 2 rotations are necessary to balance * the tree (which is true for AVL-trees that are balanced after each node is * added or removed). * * @param {goog.structs.AvlTree.Node} node Node to begin balance from. * @private */ goog.structs.AvlTree.prototype.balance_ = function(node) { this.traverse_(function(node) { // Calculate the left and right node's heights var lh = node.left ? node.left.height : 0; var rh = node.right ? node.right.height : 0; // Rotate tree rooted at this node if it is not AVL-tree balanced if (lh - rh > 1) { if (node.left.right && (!node.left.left || node.left.left.height < node.left.right.height)) { this.leftRotate_(node.left); } this.rightRotate_(node); } else if (rh - lh > 1) { if (node.right.left && (!node.right.right || node.right.right.height < node.right.left.height)) { this.rightRotate_(node.right); } this.leftRotate_(node); } // Recalculate the left and right node's heights lh = node.left ? node.left.height : 0; rh = node.right ? node.right.height : 0; // Set this node's height node.height = Math.max(lh, rh) + 1; // Traverse up tree and balance parent return node.parent; }, node); }; /** * Performs a left tree rotation on the specified node. * * @param {goog.structs.AvlTree.Node} node Pivot node to rotate from. * @private */ goog.structs.AvlTree.prototype.leftRotate_ = function(node) { // Re-assign parent-child references for the parent of the node being removed if (node.isLeftChild()) { node.parent.left = node.right; node.right.parent = node.parent; } else if (node.isRightChild()) { node.parent.right = node.right; node.right.parent = node.parent; } else { this.root_ = node.right; this.root_.parent = null; } // Re-assign parent-child references for the child of the node being removed var temp = node.right; node.right = node.right.left; if (node.right != null) node.right.parent = node; temp.left = node; node.parent = temp; // Update counts. temp.count = node.count; node.count -= (temp.right ? temp.right.count : 0) + 1; }; /** * Performs a right tree rotation on the specified node. * * @param {goog.structs.AvlTree.Node} node Pivot node to rotate from. * @private */ goog.structs.AvlTree.prototype.rightRotate_ = function(node) { // Re-assign parent-child references for the parent of the node being removed if (node.isLeftChild()) { node.parent.left = node.left; node.left.parent = node.parent; } else if (node.isRightChild()) { node.parent.right = node.left; node.left.parent = node.parent; } else { this.root_ = node.left; this.root_.parent = null; } // Re-assign parent-child references for the child of the node being removed var temp = node.left; node.left = node.left.right; if (node.left != null) node.left.parent = node; temp.right = node; node.parent = temp; // Update counts. temp.count = node.count; node.count -= (temp.left ? temp.left.count : 0) + 1; }; /** * Removes the specified node from the tree and ensures the tree still * maintains the AVL-tree balance. * * @param {goog.structs.AvlTree.Node} node The node to be removed. * @private */ goog.structs.AvlTree.prototype.removeNode_ = function(node) { // Perform normal binary tree node removal, but balance the tree, starting // from where we removed the node if (node.left != null || node.right != null) { var b = null; // Node to begin balance from var r; // Node to replace the node being removed if (node.left != null) { r = this.getMaxNode_(node.left); // Update counts. this.traverse_(function(node) { node.count--; return node.parent; }, r); if (r != node.left) { r.parent.right = r.left; if (r.left) r.left.parent = r.parent; r.left = node.left; r.left.parent = r; b = r.parent; } r.parent = node.parent; r.right = node.right; if (r.right) r.right.parent = r; if (node == this.maxNode_) this.maxNode_ = r; r.count = node.count; } else { r = this.getMinNode_(node.right); // Update counts. this.traverse_(function(node) { node.count--; return node.parent; }, r); if (r != node.right) { r.parent.left = r.right; if (r.right) r.right.parent = r.parent; r.right = node.right; r.right.parent = r; b = r.parent; } r.parent = node.parent; r.left = node.left; if (r.left) r.left.parent = r; if (node == this.minNode_) this.minNode_ = r; r.count = node.count; } // Update the parent of the node being removed to point to its replace if (node.isLeftChild()) { node.parent.left = r; } else if (node.isRightChild()) { node.parent.right = r; } else { this.root_ = r; } // Balance the tree this.balance_(b ? b : r); } else { // Update counts. this.traverse_(function(node) { node.count--; return node.parent; }, node.parent); // If the node is a leaf, remove it and balance starting from its parent if (node.isLeftChild()) { this.special = 1; node.parent.left = null; if (node == this.minNode_) this.minNode_ = node.parent; this.balance_(node.parent); } else if (node.isRightChild()) { node.parent.right = null; if (node == this.maxNode_) this.maxNode_ = node.parent; this.balance_(node.parent); } else { this.clear(); } } }; /** * Returns the node in the tree that has k nodes before it in an in-order * traversal, optionally rooted at {@code opt_rootNode}. * * @param {number} k The number of nodes before the node to be returned in an * in-order traversal, where 0 <= k < root.count. * @param {goog.structs.AvlTree.Node=} opt_rootNode Optional root node. * @return {goog.structs.AvlTree.Node} The node at the specified index. * @private */ goog.structs.AvlTree.prototype.getKthNode_ = function(k, opt_rootNode) { var root = opt_rootNode || this.root_; var numNodesInLeftSubtree = root.left ? root.left.count : 0; if (k < numNodesInLeftSubtree) { return this.getKthNode_(k, root.left); } else if (k == numNodesInLeftSubtree) { return root; } else { return this.getKthNode_(k - numNodesInLeftSubtree - 1, root.right); } }; /** * Returns the node with the smallest value in tree, optionally rooted at * {@code opt_rootNode}. * * @param {goog.structs.AvlTree.Node=} opt_rootNode Optional root node. * @return {goog.structs.AvlTree.Node} The node with the smallest value in * the tree. * @private */ goog.structs.AvlTree.prototype.getMinNode_ = function(opt_rootNode) { if (!opt_rootNode) { return this.minNode_; } var minNode = opt_rootNode; this.traverse_(function(node) { var retNode = null; if (node.left) { minNode = node.left; retNode = node.left; } return retNode; // If null, we'll stop traversing the tree }, opt_rootNode); return minNode; }; /** * Returns the node with the largest value in tree, optionally rooted at * opt_rootNode. * * @param {goog.structs.AvlTree.Node=} opt_rootNode Optional root node. * @return {goog.structs.AvlTree.Node} The node with the largest value in * the tree. * @private */ goog.structs.AvlTree.prototype.getMaxNode_ = function(opt_rootNode) { if (!opt_rootNode) { return this.maxNode_; } var maxNode = opt_rootNode; this.traverse_(function(node) { var retNode = null; if (node.right) { maxNode = node.right; retNode = node.right; } return retNode; // If null, we'll stop traversing the tree }, opt_rootNode); return maxNode; }; /** * Constructs an AVL-Tree node with the specified value. If no parent is * specified, the node's parent is assumed to be null. The node's height * defaults to 1 and its children default to null. * * @param {*} value Value to store in the node. * @param {goog.structs.AvlTree.Node=} opt_parent Optional parent node. * @constructor */ goog.structs.AvlTree.Node = function(value, opt_parent) { /** * The value stored by the node. * * @type {*} */ this.value = value; /** * The node's parent. Null if the node is the root. * * @type {goog.structs.AvlTree.Node} */ this.parent = opt_parent ? opt_parent : null; /** * The number of nodes in the subtree rooted at this node. * * @type {number} */ this.count = 1; }; /** * The node's left child. Null if the node does not have a left child. * * @type {goog.structs.AvlTree.Node?} */ goog.structs.AvlTree.Node.prototype.left = null; /** * The node's right child. Null if the node does not have a right child. * * @type {goog.structs.AvlTree.Node?} */ goog.structs.AvlTree.Node.prototype.right = null; /** * The height of the tree rooted at this node. * * @type {number} */ goog.structs.AvlTree.Node.prototype.height = 1; /** * Returns true iff the specified node has a parent and is the right child of * its parent. * * @return {boolean} Whether the specified node has a parent and is the right * child of its parent. */ goog.structs.AvlTree.Node.prototype.isRightChild = function() { return !!this.parent && this.parent.right == this; }; /** * Returns true iff the specified node has a parent and is the left child of * its parent. * * @return {boolean} Whether the specified node has a parent and is the left * child of its parent. */ goog.structs.AvlTree.Node.prototype.isLeftChild = function() { return !!this.parent && this.parent.left == this; };
JavaScript
// Copyright 2007 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Datastructure: Trie. * * * This file provides the implementation of a trie data structure. A trie is a * data structure that stores key/value pairs in a prefix tree. See: * http://en.wikipedia.org/wiki/Trie */ goog.provide('goog.structs.Trie'); goog.require('goog.object'); goog.require('goog.structs'); /** * Class for a Trie datastructure. Trie data structures are made out of trees * of Trie classes. * * @param {Object=} opt_trie Optional goog.structs.Trie or Object to initialize * trie with. * @constructor */ goog.structs.Trie = function(opt_trie) { /** * This trie's child nodes. * @private * @type {Object.<goog.structs.Trie>} */ this.childNodes_ = {}; if (opt_trie) { this.setAll(opt_trie); } }; /** * This trie's value. For the base trie, this will be the value of the * empty key, if defined. * @private * @type {*} */ goog.structs.Trie.prototype.value_ = undefined; /** * Sets the given key/value pair in the trie. O(L), where L is the length * of the key. * @param {string} key The key. * @param {*} value The value. */ goog.structs.Trie.prototype.set = function(key, value) { this.setOrAdd_(key, value, false); }; /** * Adds the given key/value pair in the trie. Throw an exception if the key * already exists in the trie. O(L), where L is the length of the key. * @param {string} key The key. * @param {*} value The value. */ goog.structs.Trie.prototype.add = function(key, value) { this.setOrAdd_(key, value, true); }; /** * Helper function for set and add. Adds the given key/value pair to * the trie, or, if the key already exists, sets the value of the key. If * opt_add is true, then throws an exception if the key already has a value in * the trie. O(L), where L is the length of the key. * @param {string} key The key. * @param {*} value The value. * @param {boolean=} opt_add Throw exception if key is already in the trie. * @private */ goog.structs.Trie.prototype.setOrAdd_ = function(key, value, opt_add) { var node = this; for (var characterPosition = 0; characterPosition < key.length; characterPosition++) { var currentCharacter = key.charAt(characterPosition); if (!node.childNodes_[currentCharacter]) { node.childNodes_[currentCharacter] = new goog.structs.Trie(); } node = node.childNodes_[currentCharacter]; } if (opt_add && node.value_ !== undefined) { throw Error('The collection already contains the key "' + key + '"'); } else { node.value_ = value; } }; /** * Adds multiple key/value pairs from another goog.structs.Trie or Object. * O(N) where N is the number of nodes in the trie. * @param {Object|goog.structs.Trie} trie Object containing the data to add. */ goog.structs.Trie.prototype.setAll = function(trie) { var keys = goog.structs.getKeys(trie); var values = goog.structs.getValues(trie); for (var i = 0; i < keys.length; i++) { this.set(keys[i], values[i]); } }; /** * Retrieves a value from the trie given a key. O(L), where L is the length of * the key. * @param {string} key The key to retrieve from the trie. * @return {*} The value of the key in the trie, or undefined if the trie does * not contain this key. */ goog.structs.Trie.prototype.get = function(key) { var node = this; for (var characterPosition = 0; characterPosition < key.length; characterPosition++) { var currentCharacter = key.charAt(characterPosition); if (!node.childNodes_[currentCharacter]) { return undefined; } node = node.childNodes_[currentCharacter]; } return node.value_; }; /** * Retrieves all values from the trie that correspond to prefixes of the given * input key. O(L), where L is the length of the key. * * @param {string} key The key to use for lookup. The given key as well as all * prefixes of the key are retrieved. * @param {?number=} opt_keyStartIndex Optional position in key to start lookup * from. Defaults to 0 if not specified. * @return {Object} Map of end index of matching prefixes and corresponding * values. Empty if no match found. */ goog.structs.Trie.prototype.getKeyAndPrefixes = function(key, opt_keyStartIndex) { var node = this; var matches = {}; var characterPosition = opt_keyStartIndex || 0; if (node.value_ !== undefined) { matches[characterPosition] = node.value_; } for (; characterPosition < key.length; characterPosition++) { var currentCharacter = key.charAt(characterPosition); if (!(currentCharacter in node.childNodes_)) { break; } node = node.childNodes_[currentCharacter]; if (node.value_ !== undefined) { matches[characterPosition] = node.value_; } } return matches; }; /** * Gets the values of the trie. Not returned in any reliable order. O(N) where * N is the number of nodes in the trie. Calls getValuesInternal_. * @return {Array} The values in the trie. */ goog.structs.Trie.prototype.getValues = function() { var allValues = []; this.getValuesInternal_(allValues); return allValues; }; /** * Gets the values of the trie. Not returned in any reliable order. O(N) where * N is the number of nodes in the trie. Builds the values as it goes. * @param {Array.<string>} allValues Array to place values into. * @private */ goog.structs.Trie.prototype.getValuesInternal_ = function(allValues) { if (this.value_ !== undefined) { allValues.push(this.value_); } for (var childNode in this.childNodes_) { this.childNodes_[childNode].getValuesInternal_(allValues); } }; /** * Gets the keys of the trie. Not returned in any reliable order. O(N) where * N is the number of nodes in the trie (or prefix subtree). * @param {string=} opt_prefix Find only keys with this optional prefix. * @return {Array} The keys in the trie. */ goog.structs.Trie.prototype.getKeys = function(opt_prefix) { var allKeys = []; if (opt_prefix) { // Traverse to the given prefix, then call getKeysInternal_ to dump the // keys below that point. var node = this; for (var characterPosition = 0; characterPosition < opt_prefix.length; characterPosition++) { var currentCharacter = opt_prefix.charAt(characterPosition); if (!node.childNodes_[currentCharacter]) { return []; } node = node.childNodes_[currentCharacter]; } node.getKeysInternal_(opt_prefix, allKeys); } else { this.getKeysInternal_('', allKeys); } return allKeys; }; /** * Private method to get keys from the trie. Builds the keys as it goes. * @param {string} keySoFar The partial key (prefix) traversed so far. * @param {Array} allKeys The partially built array of keys seen so far. * @private */ goog.structs.Trie.prototype.getKeysInternal_ = function(keySoFar, allKeys) { if (this.value_ !== undefined) { allKeys.push(keySoFar); } for (var childNode in this.childNodes_) { this.childNodes_[childNode].getKeysInternal_(keySoFar + childNode, allKeys); } }; /** * Checks to see if a certain key is in the trie. O(L), where L is the length * of the key. * @param {string} key A key that may be in the trie. * @return {boolean} Whether the trie contains key. */ goog.structs.Trie.prototype.containsKey = function(key) { return this.get(key) !== undefined; }; /** * Checks to see if a certain value is in the trie. Worst case is O(N) where * N is the number of nodes in the trie. * @param {*} value A value that may be in the trie. * @return {boolean} Whether the trie contains the value. */ goog.structs.Trie.prototype.containsValue = function(value) { if (this.value_ === value) { return true; } for (var childNode in this.childNodes_) { if (this.childNodes_[childNode].containsValue(value)) { return true; } } return false; }; /** * Completely empties a trie of all keys and values. ~O(1) */ goog.structs.Trie.prototype.clear = function() { this.childNodes_ = {}; this.value_ = undefined; }; /** * Removes a key from the trie or throws an exception if the key is not in the * trie. O(L), where L is the length of the key. * @param {string} key A key that should be removed from the trie. * @return {*} The value whose key was removed. */ goog.structs.Trie.prototype.remove = function(key) { var node = this; var parents = []; for (var characterPosition = 0; characterPosition < key.length; characterPosition++) { var currentCharacter = key.charAt(characterPosition); if (!node.childNodes_[currentCharacter]) { throw Error('The collection does not have the key "' + key + '"'); } // Archive the current parent and child name (key in childNodes_) so that // we may remove the following node and its parents if they are empty. parents.push([node, currentCharacter]); node = node.childNodes_[currentCharacter]; } var oldValue = node.value_; delete node.value_; while (parents.length > 0) { var currentParentAndCharacter = parents.pop(); var currentParent = currentParentAndCharacter[0]; var currentCharacter = currentParentAndCharacter[1]; if (goog.object.isEmpty( currentParent.childNodes_[currentCharacter].childNodes_)) { // If we have no child nodes, then remove this node. delete currentParent.childNodes_[currentCharacter]; } else { // No point of traversing back any further, since we can't remove this // path. break; } } return oldValue; }; /** * Clones a trie and returns a new trie. O(N), where N is the number of nodes * in the trie. * @return {goog.structs.Trie} A new goog.structs.Trie with the same key value * pairs. */ goog.structs.Trie.prototype.clone = function() { return new goog.structs.Trie(this); }; /** * Returns the number of key value pairs in the trie. O(N), where N is the * number of nodes in the trie. * TODO: This could be optimized by storing a weight (count below) in every * node. * @return {number} The number of pairs. */ goog.structs.Trie.prototype.getCount = function() { return goog.structs.getCount(this.getValues()); }; /** * Returns true if this trie contains no elements. ~O(1). * @return {boolean} True iff this trie contains no elements. */ goog.structs.Trie.prototype.isEmpty = function() { return this.value_ === undefined && goog.structs.isEmpty(this.childNodes_); };
JavaScript
// Copyright 2010 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Generic tree node data structure with arbitrary number of child * nodes. * */ goog.provide('goog.structs.TreeNode'); goog.require('goog.array'); goog.require('goog.asserts'); goog.require('goog.structs.Node'); /** * Generic tree node data structure with arbitrary number of child nodes. * It is possible to create a dynamic tree structure by overriding * {@link #getParent} and {@link #getChildren} in a subclass. All other getters * will automatically work. * * @param {*} key Key. * @param {*} value Value. * @constructor * @extends {goog.structs.Node} */ goog.structs.TreeNode = function(key, value) { goog.structs.Node.call(this, key, value); }; goog.inherits(goog.structs.TreeNode, goog.structs.Node); /** * Constant for empty array to avoid unnecessary allocations. * @private */ goog.structs.TreeNode.EMPTY_ARRAY_ = []; /** * Reference to the parent node or null if it has no parent. * @type {goog.structs.TreeNode} * @private */ goog.structs.TreeNode.prototype.parent_ = null; /** * Child nodes or null in case of leaf node. * @type {Array.<!goog.structs.TreeNode>} * @private */ goog.structs.TreeNode.prototype.children_ = null; /** * @return {!goog.structs.TreeNode} Clone of the tree node without its parent * and child nodes. The key and the value are copied by reference. * @override */ goog.structs.TreeNode.prototype.clone = function() { return new goog.structs.TreeNode(this.getKey(), this.getValue()); }; /** * @return {!goog.structs.TreeNode} Clone of the subtree with this node as root. */ goog.structs.TreeNode.prototype.deepClone = function() { var clone = this.clone(); this.forEachChild(function(child) { clone.addChild(child.deepClone()); }); return clone; }; /** * @return {goog.structs.TreeNode} Parent node or null if it has no parent. */ goog.structs.TreeNode.prototype.getParent = function() { return this.parent_; }; /** * @return {boolean} Whether the node is a leaf node. */ goog.structs.TreeNode.prototype.isLeaf = function() { return !this.getChildCount(); }; /** * Tells if the node is the last child of its parent. This method helps how to * connect the tree nodes with lines: L shapes should be used before the last * children and |- shapes before the rest. Schematic tree visualization: * * <pre> * Node1 * |-Node2 * | L-Node3 * | |-Node4 * | L-Node5 * L-Node6 * </pre> * * @return {boolean} Whether the node has parent and is the last child of it. */ goog.structs.TreeNode.prototype.isLastChild = function() { var parent = this.getParent(); return Boolean(parent && this == goog.array.peek(parent.getChildren())); }; /** * @return {!Array.<!goog.structs.TreeNode>} Immutable child nodes. */ goog.structs.TreeNode.prototype.getChildren = function() { return this.children_ || goog.structs.TreeNode.EMPTY_ARRAY_; }; /** * Gets the child node of this node at the given index. * @param {number} index Child index. * @return {goog.structs.TreeNode} The node at the given index or null if not * found. */ goog.structs.TreeNode.prototype.getChildAt = function(index) { return this.getChildren()[index] || null; }; /** * @return {number} The number of children. */ goog.structs.TreeNode.prototype.getChildCount = function() { return this.getChildren().length; }; /** * @return {number} The number of ancestors of the node. */ goog.structs.TreeNode.prototype.getDepth = function() { var depth = 0; var node = this; while (node.getParent()) { depth++; node = node.getParent(); } return depth; }; /** * @return {!Array.<!goog.structs.TreeNode>} All ancestor nodes in bottom-up * order. */ goog.structs.TreeNode.prototype.getAncestors = function() { var ancestors = []; var node = this.getParent(); while (node) { ancestors.push(node); node = node.getParent(); } return ancestors; }; /** * @return {!goog.structs.TreeNode} The root of the tree structure, i.e. the * farthest ancestor of the node or the node itself if it has no parents. */ goog.structs.TreeNode.prototype.getRoot = function() { var root = this; while (root.getParent()) { root = root.getParent(); } return root; }; /** * Builds a nested array structure from the node keys in this node's subtree to * facilitate testing tree operations that change the hierarchy. * @return {!Array} The structure of this node's descendants as nested array * of node keys. The number of unclosed opening brackets up to a particular * node is proportional to the indentation of that node in the graphical * representation of the tree. Example: * <pre> * this * |- child1 * | L- grandchild * L- child2 * </pre> * is represented as ['child1', ['grandchild'], 'child2']. */ goog.structs.TreeNode.prototype.getSubtreeKeys = function() { var ret = []; this.forEachChild(function(child) { ret.push(child.getKey()); if (!child.isLeaf()) { ret.push(child.getSubtreeKeys()); } }); return ret; }; /** * Tells whether this node is the ancestor of the given node. * @param {!goog.structs.TreeNode} node A node. * @return {boolean} Whether this node is the ancestor of {@code node}. */ goog.structs.TreeNode.prototype.contains = function(node) { var current = node; do { current = current.getParent(); } while (current && current != this); return Boolean(current); }; /** * Finds the deepest common ancestor of the given nodes. The concept of * ancestor is not strict in this case, it includes the node itself. * @param {...!goog.structs.TreeNode} var_args The nodes. * @return {goog.structs.TreeNode} The common ancestor of the nodes or null if * they are from different trees. */ goog.structs.TreeNode.findCommonAncestor = function(var_args) { var ret = arguments[0]; if (!ret) { return null; } var retDepth = ret.getDepth(); for (var i = 1; i < arguments.length; i++) { var node = arguments[i]; var depth = node.getDepth(); while (node != ret) { if (depth <= retDepth) { ret = ret.getParent(); retDepth--; } if (depth > retDepth) { node = node.getParent(); depth--; } } } return ret; }; /** * Traverses all child nodes. * @param {function(!goog.structs.TreeNode, number, * !Array.<!goog.structs.TreeNode>)} f Callback function. It takes the * node, its index and the array of all child nodes as arguments. * @param {Object=} opt_this The object to be used as the value of {@code this} * within {@code f}. */ goog.structs.TreeNode.prototype.forEachChild = function(f, opt_this) { goog.array.forEach(this.getChildren(), f, opt_this); }; /** * Traverses all child nodes recursively in preorder. * @param {function(!goog.structs.TreeNode)} f Callback function. It takes the * node as argument. * @param {Object=} opt_this The object to be used as the value of {@code this} * within {@code f}. */ goog.structs.TreeNode.prototype.forEachDescendant = function(f, opt_this) { goog.array.forEach(this.getChildren(), function(child) { f.call(opt_this, child); child.forEachDescendant(f, opt_this); }); }; /** * Traverses the subtree with the possibility to skip branches. Starts with * this node, and visits the descendant nodes depth-first, in preorder. * @param {function(!goog.structs.TreeNode): (boolean|undefined)} f Callback * function. It takes the node as argument. The children of this node will * be visited if the callback returns true or undefined, and will be * skipped if the callback returns false. * @param {Object=} opt_this The object to be used as the value of {@code this} * within {@code f}. */ goog.structs.TreeNode.prototype.traverse = function(f, opt_this) { if (f.call(opt_this, this) !== false) { goog.array.forEach(this.getChildren(), function(child) { child.traverse(f, opt_this); }); } }; /** * Sets the parent node of this node. The callers must ensure that the parent * node and only that has this node among its children. * @param {goog.structs.TreeNode} parent The parent to set. If null, the node * will be detached from the tree. * @protected */ goog.structs.TreeNode.prototype.setParent = function(parent) { this.parent_ = parent; }; /** * Appends a child node to this node. * @param {!goog.structs.TreeNode} child Orphan child node. */ goog.structs.TreeNode.prototype.addChild = function(child) { this.addChildAt(child, this.children_ ? this.children_.length : 0); }; /** * Inserts a child node at the given index. * @param {!goog.structs.TreeNode} child Orphan child node. * @param {number} index The position to insert at. */ goog.structs.TreeNode.prototype.addChildAt = function(child, index) { goog.asserts.assert(!child.getParent()); child.setParent(this); this.children_ = this.children_ || []; goog.asserts.assert(index >= 0 && index <= this.children_.length); goog.array.insertAt(this.children_, child, index); }; /** * Replaces a child node at the given index. * @param {!goog.structs.TreeNode} newChild Child node to set. It must not have * parent node. * @param {number} index Valid index of the old child to replace. * @return {!goog.structs.TreeNode} The original child node, detached from its * parent. */ goog.structs.TreeNode.prototype.replaceChildAt = function(newChild, index) { goog.asserts.assert(!newChild.getParent(), 'newChild must not have parent node'); var children = this.getChildren(); var oldChild = children[index]; goog.asserts.assert(oldChild, 'Invalid child or child index is given.'); oldChild.setParent(null); children[index] = newChild; newChild.setParent(this); return oldChild; }; /** * Replaces the given child node. * @param {!goog.structs.TreeNode} newChild New node to replace * {@code oldChild}. It must not have parent node. * @param {!goog.structs.TreeNode} oldChild Existing child node to be replaced. * @return {!goog.structs.TreeNode} The replaced child node detached from its * parent. */ goog.structs.TreeNode.prototype.replaceChild = function(newChild, oldChild) { return this.replaceChildAt(newChild, goog.array.indexOf(this.getChildren(), oldChild)); }; /** * Removes the child node at the given index. * @param {number} index The position to remove from. * @return {goog.structs.TreeNode} The removed node if any. */ goog.structs.TreeNode.prototype.removeChildAt = function(index) { var child = this.children_ && this.children_[index]; if (child) { child.setParent(null); goog.array.removeAt(this.children_, index); if (this.children_.length == 0) { delete this.children_; } return child; } return null; }; /** * Removes the given child node of this node. * @param {goog.structs.TreeNode} child The node to remove. * @return {goog.structs.TreeNode} The removed node if any. */ goog.structs.TreeNode.prototype.removeChild = function(child) { return this.removeChildAt(goog.array.indexOf(this.getChildren(), child)); }; /** * Removes all child nodes of this node. */ goog.structs.TreeNode.prototype.removeChildren = function() { if (this.children_) { goog.array.forEach(this.children_, function(child) { child.setParent(null); }); } delete this.children_; };
JavaScript
// Copyright 2006 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Datastructure: Set. * * @author arv@google.com (Erik Arvidsson) * @author pallosp@google.com (Peter Pallos) * * This class implements a set data structure. Adding and removing is O(1). It * supports both object and primitive values. Be careful because you can add * both 1 and new Number(1), because these are not the same. You can even add * multiple new Number(1) because these are not equal. */ goog.provide('goog.structs.Set'); goog.require('goog.structs'); goog.require('goog.structs.Collection'); goog.require('goog.structs.Map'); /** * A set that can contain both primitives and objects. Adding and removing * elements is O(1). Primitives are treated as identical if they have the same * type and convert to the same string. Objects are treated as identical only * if they are references to the same object. WARNING: A goog.structs.Set can * contain both 1 and (new Number(1)), because they are not the same. WARNING: * Adding (new Number(1)) twice will yield two distinct elements, because they * are two different objects. WARNING: Any object that is added to a * goog.structs.Set will be modified! Because goog.getUid() is used to * identify objects, every object in the set will be mutated. * @param {Array|Object=} opt_values Initial values to start with. * @constructor * @implements {goog.structs.Collection} */ goog.structs.Set = function(opt_values) { this.map_ = new goog.structs.Map; if (opt_values) { this.addAll(opt_values); } }; /** * Obtains a unique key for an element of the set. Primitives will yield the * same key if they have the same type and convert to the same string. Object * references will yield the same key only if they refer to the same object. * @param {*} val Object or primitive value to get a key for. * @return {string} A unique key for this value/object. * @private */ goog.structs.Set.getKey_ = function(val) { var type = typeof val; if (type == 'object' && val || type == 'function') { return 'o' + goog.getUid(/** @type {Object} */ (val)); } else { return type.substr(0, 1) + val; } }; /** * @return {number} The number of elements in the set. * @override */ goog.structs.Set.prototype.getCount = function() { return this.map_.getCount(); }; /** * Add a primitive or an object to the set. * @param {*} element The primitive or object to add. * @override */ goog.structs.Set.prototype.add = function(element) { this.map_.set(goog.structs.Set.getKey_(element), element); }; /** * Adds all the values in the given collection to this set. * @param {Array|Object} col A collection containing the elements to add. */ goog.structs.Set.prototype.addAll = function(col) { var values = goog.structs.getValues(col); var l = values.length; for (var i = 0; i < l; i++) { this.add(values[i]); } }; /** * Removes all values in the given collection from this set. * @param {Array|Object} col A collection containing the elements to remove. */ goog.structs.Set.prototype.removeAll = function(col) { var values = goog.structs.getValues(col); var l = values.length; for (var i = 0; i < l; i++) { this.remove(values[i]); } }; /** * Removes the given element from this set. * @param {*} element The primitive or object to remove. * @return {boolean} Whether the element was found and removed. * @override */ goog.structs.Set.prototype.remove = function(element) { return this.map_.remove(goog.structs.Set.getKey_(element)); }; /** * Removes all elements from this set. */ goog.structs.Set.prototype.clear = function() { this.map_.clear(); }; /** * Tests whether this set is empty. * @return {boolean} True if there are no elements in this set. */ goog.structs.Set.prototype.isEmpty = function() { return this.map_.isEmpty(); }; /** * Tests whether this set contains the given element. * @param {*} element The primitive or object to test for. * @return {boolean} True if this set contains the given element. * @override */ goog.structs.Set.prototype.contains = function(element) { return this.map_.containsKey(goog.structs.Set.getKey_(element)); }; /** * Tests whether this set contains all the values in a given collection. * Repeated elements in the collection are ignored, e.g. (new * goog.structs.Set([1, 2])).containsAll([1, 1]) is True. * @param {Object} col A collection-like object. * @return {boolean} True if the set contains all elements. */ goog.structs.Set.prototype.containsAll = function(col) { return goog.structs.every(col, this.contains, this); }; /** * Finds all values that are present in both this set and the given collection. * @param {Array|Object} col A collection. * @return {!goog.structs.Set} A new set containing all the values (primitives * or objects) present in both this set and the given collection. */ goog.structs.Set.prototype.intersection = function(col) { var result = new goog.structs.Set(); var values = goog.structs.getValues(col); for (var i = 0; i < values.length; i++) { var value = values[i]; if (this.contains(value)) { result.add(value); } } return result; }; /** * Finds all values that are present in this set and not in the given * collection. * @param {Array|Object} col A collection. * @return {!goog.structs.Set} A new set containing all the values * (primitives or objects) present in this set but not in the given * collection. */ goog.structs.Set.prototype.difference = function(col) { var result = this.clone(); result.removeAll(col); return result; }; /** * Returns an array containing all the elements in this set. * @return {!Array} An array containing all the elements in this set. */ goog.structs.Set.prototype.getValues = function() { return this.map_.getValues(); }; /** * Creates a shallow clone of this set. * @return {!goog.structs.Set} A new set containing all the same elements as * this set. */ goog.structs.Set.prototype.clone = function() { return new goog.structs.Set(this); }; /** * Tests whether the given collection consists of the same elements as this set, * regardless of order, without repetition. Primitives are treated as equal if * they have the same type and convert to the same string; objects are treated * as equal if they are references to the same object. This operation is O(n). * @param {Object} col A collection. * @return {boolean} True if the given collection consists of the same elements * as this set, regardless of order, without repetition. */ goog.structs.Set.prototype.equals = function(col) { return this.getCount() == goog.structs.getCount(col) && this.isSubsetOf(col); }; /** * Tests whether the given collection contains all the elements in this set. * Primitives are treated as equal if they have the same type and convert to the * same string; objects are treated as equal if they are references to the same * object. This operation is O(n). * @param {Object} col A collection. * @return {boolean} True if this set is a subset of the given collection. */ goog.structs.Set.prototype.isSubsetOf = function(col) { var colCount = goog.structs.getCount(col); if (this.getCount() > colCount) { return false; } // TODO(user) Find the minimal collection size where the conversion makes // the contains() method faster. if (!(col instanceof goog.structs.Set) && colCount > 5) { // Convert to a goog.structs.Set so that goog.structs.contains runs in // O(1) time instead of O(n) time. col = new goog.structs.Set(col); } return goog.structs.every(this, function(value) { return goog.structs.contains(col, value); }); }; /** * Returns an iterator that iterates over the elements in this set. * @param {boolean=} opt_keys This argument is ignored. * @return {!goog.iter.Iterator} An iterator over the elements in this set. */ goog.structs.Set.prototype.__iterator__ = function(opt_keys) { return this.map_.__iterator__(false); };
JavaScript
// Copyright 2007 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview A LinkedMap data structure that is accessed using key/value * pairs like an ordinary Map, but which guarantees a consistent iteration * order over its entries. The iteration order is either insertion order (the * default) or ordered from most recent to least recent use. By setting a fixed * size, the LRU version of the LinkedMap makes an effective object cache. This * data structure is similar to Java's LinkedHashMap. * * @author brenneman@google.com (Shawn Brenneman) */ goog.provide('goog.structs.LinkedMap'); goog.require('goog.structs.Map'); /** * Class for a LinkedMap datastructure, which combines O(1) map access for * key/value pairs with a linked list for a consistent iteration order. Sample * usage: * * <pre> * var m = new LinkedMap(); * m.set('param1', 'A'); * m.set('param2', 'B'); * m.set('param3', 'C'); * alert(m.getKeys()); // param1, param2, param3 * * var c = new LinkedMap(5, true); * for (var i = 0; i < 10; i++) { * c.set('entry' + i, false); * } * alert(c.getKeys()); // entry9, entry8, entry7, entry6, entry5 * * c.set('entry5', true); * c.set('entry1', false); * alert(c.getKeys()); // entry1, entry5, entry9, entry8, entry7 * </pre> * * @param {number=} opt_maxCount The maximum number of objects to store in the * LinkedMap. If unspecified or 0, there is no maximum. * @param {boolean=} opt_cache When set, the LinkedMap stores items in order * from most recently used to least recently used, instead of insertion * order. * @constructor */ goog.structs.LinkedMap = function(opt_maxCount, opt_cache) { /** * The maximum number of entries to allow, or null if there is no limit. * @type {?number} * @private */ this.maxCount_ = opt_maxCount || null; /** * @type {boolean} * @private */ this.cache_ = !!opt_cache; this.map_ = new goog.structs.Map(); this.head_ = new goog.structs.LinkedMap.Node_('', undefined); this.head_.next = this.head_.prev = this.head_; }; /** * Finds a node and updates it to be the most recently used. * @param {string} key The key of the node. * @return {goog.structs.LinkedMap.Node_} The node or null if not found. * @private */ goog.structs.LinkedMap.prototype.findAndMoveToTop_ = function(key) { var node = /** @type {goog.structs.LinkedMap.Node_} */ (this.map_.get(key)); if (node) { if (this.cache_) { node.remove(); this.insert_(node); } } return node; }; /** * Retrieves the value for a given key. If this is a caching LinkedMap, the * entry will become the most recently used. * @param {string} key The key to retrieve the value for. * @param {*=} opt_val A default value that will be returned if the key is * not found, defaults to undefined. * @return {*} The retrieved value. */ goog.structs.LinkedMap.prototype.get = function(key, opt_val) { var node = this.findAndMoveToTop_(key); return node ? node.value : opt_val; }; /** * Retrieves the value for a given key without updating the entry to be the * most recently used. * @param {string} key The key to retrieve the value for. * @param {*=} opt_val A default value that will be returned if the key is * not found. * @return {*} The retrieved value. */ goog.structs.LinkedMap.prototype.peekValue = function(key, opt_val) { var node = this.map_.get(key); return node ? node.value : opt_val; }; /** * Sets a value for a given key. If this is a caching LinkedMap, this entry * will become the most recently used. * @param {string} key The key to retrieve the value for. * @param {*} value A default value that will be returned if the key is * not found. */ goog.structs.LinkedMap.prototype.set = function(key, value) { var node = this.findAndMoveToTop_(key); if (node) { node.value = value; } else { node = new goog.structs.LinkedMap.Node_(key, value); this.map_.set(key, node); this.insert_(node); } }; /** * Returns the value of the first node without making any modifications. * @return {*} The value of the first node or undefined if the map is empty. */ goog.structs.LinkedMap.prototype.peek = function() { return this.head_.next.value; }; /** * Returns the value of the last node without making any modifications. * @return {*} The value of the last node or undefined if the map is empty. */ goog.structs.LinkedMap.prototype.peekLast = function() { return this.head_.prev.value; }; /** * Removes the first node from the list and returns its value. * @return {*} The value of the popped node, or undefined if the map was empty. */ goog.structs.LinkedMap.prototype.shift = function() { return this.popNode_(this.head_.next); }; /** * Removes the last node from the list and returns its value. * @return {*} The value of the popped node, or undefined if the map was empty. */ goog.structs.LinkedMap.prototype.pop = function() { return this.popNode_(this.head_.prev); }; /** * Removes a value from the LinkedMap based on its key. * @param {string} key The key to remove. * @return {boolean} True if the entry was removed, false if the key was not * found. */ goog.structs.LinkedMap.prototype.remove = function(key) { var node = /** @type {goog.structs.LinkedMap.Node_} */ (this.map_.get(key)); if (node) { this.removeNode(node); return true; } return false; }; /** * Removes a node from the {@code LinkedMap}. It can be overridden to do * further cleanup such as disposing of the node value. * @param {!goog.structs.LinkedMap.Node_} node The node to remove. * @protected */ goog.structs.LinkedMap.prototype.removeNode = function(node) { node.remove(); this.map_.remove(node.key); }; /** * @return {number} The number of items currently in the LinkedMap. */ goog.structs.LinkedMap.prototype.getCount = function() { return this.map_.getCount(); }; /** * @return {boolean} True if the cache is empty, false if it contains any items. */ goog.structs.LinkedMap.prototype.isEmpty = function() { return this.map_.isEmpty(); }; /** * Sets the maximum number of entries allowed in this object, truncating any * excess objects if necessary. * @param {number} maxCount The new maximum number of entries to allow. */ goog.structs.LinkedMap.prototype.setMaxCount = function(maxCount) { this.maxCount_ = maxCount || null; if (this.maxCount_ != null) { this.truncate_(this.maxCount_); } }; /** * @return {!Array.<string>} The list of the keys in the appropriate order for * this LinkedMap. */ goog.structs.LinkedMap.prototype.getKeys = function() { return this.map(function(val, key) { return key; }); }; /** * @return {!Array} The list of the values in the appropriate order for * this LinkedMap. */ goog.structs.LinkedMap.prototype.getValues = function() { return this.map(function(val, key) { return val; }); }; /** * Tests whether a provided value is currently in the LinkedMap. This does not * affect item ordering in cache-style LinkedMaps. * @param {Object} value The value to check for. * @return {boolean} Whether the value is in the LinkedMap. */ goog.structs.LinkedMap.prototype.contains = function(value) { return this.some(function(el) { return el == value; }); }; /** * Tests whether a provided key is currently in the LinkedMap. This does not * affect item ordering in cache-style LinkedMaps. * @param {string} key The key to check for. * @return {boolean} Whether the key is in the LinkedMap. */ goog.structs.LinkedMap.prototype.containsKey = function(key) { return this.map_.containsKey(key); }; /** * Removes all entries in this object. */ goog.structs.LinkedMap.prototype.clear = function() { this.truncate_(0); }; /** * Calls a function on each item in the LinkedMap. * * @see goog.structs.forEach * @param {Function} f The function to call for each item. The function takes * three arguments: the value, the key, and the LinkedMap. * @param {Object=} opt_obj The object context to use as "this" for the * function. */ goog.structs.LinkedMap.prototype.forEach = function(f, opt_obj) { for (var n = this.head_.next; n != this.head_; n = n.next) { f.call(opt_obj, n.value, n.key, this); } }; /** * Calls a function on each item in the LinkedMap and returns the results of * those calls in an array. * * @see goog.structs.map * @param {!Function} f The function to call for each item. The function takes * three arguments: the value, the key, and the LinkedMap. * @param {Object=} opt_obj The object context to use as "this" for the * function. * @return {!Array} The results of the function calls for each item in the * LinkedMap. */ goog.structs.LinkedMap.prototype.map = function(f, opt_obj) { var rv = []; for (var n = this.head_.next; n != this.head_; n = n.next) { rv.push(f.call(opt_obj, n.value, n.key, this)); } return rv; }; /** * Calls a function on each item in the LinkedMap and returns true if any of * those function calls returns a true-like value. * * @see goog.structs.some * @param {Function} f The function to call for each item. The function takes * three arguments: the value, the key, and the LinkedMap, and returns a * boolean. * @param {Object=} opt_obj The object context to use as "this" for the * function. * @return {boolean} Whether f evaluates to true for at least one item in the * LinkedMap. */ goog.structs.LinkedMap.prototype.some = function(f, opt_obj) { for (var n = this.head_.next; n != this.head_; n = n.next) { if (f.call(opt_obj, n.value, n.key, this)) { return true; } } return false; }; /** * Calls a function on each item in the LinkedMap and returns true only if every * function call returns a true-like value. * * @see goog.structs.some * @param {Function} f The function to call for each item. The function takes * three arguments: the value, the key, and the Cache, and returns a * boolean. * @param {Object=} opt_obj The object context to use as "this" for the * function. * @return {boolean} Whether f evaluates to true for every item in the Cache. */ goog.structs.LinkedMap.prototype.every = function(f, opt_obj) { for (var n = this.head_.next; n != this.head_; n = n.next) { if (!f.call(opt_obj, n.value, n.key, this)) { return false; } } return true; }; /** * Appends a node to the list. LinkedMap in cache mode adds new nodes to * the head of the list, otherwise they are appended to the tail. If there is a * maximum size, the list will be truncated if necessary. * * @param {goog.structs.LinkedMap.Node_} node The item to insert. * @private */ goog.structs.LinkedMap.prototype.insert_ = function(node) { if (this.cache_) { node.next = this.head_.next; node.prev = this.head_; this.head_.next = node; node.next.prev = node; } else { node.prev = this.head_.prev; node.next = this.head_; this.head_.prev = node; node.prev.next = node; } if (this.maxCount_ != null) { this.truncate_(this.maxCount_); } }; /** * Removes elements from the LinkedMap if the given count has been exceeded. * In cache mode removes nodes from the tail of the list. Otherwise removes * nodes from the head. * @param {number} count Number of elements to keep. * @private */ goog.structs.LinkedMap.prototype.truncate_ = function(count) { for (var i = this.map_.getCount(); i > count; i--) { this.removeNode(this.cache_ ? this.head_.prev : this.head_.next); } }; /** * Removes the node from the LinkedMap if it is not the head, and returns * the node's value. * @param {!goog.structs.LinkedMap.Node_} node The item to remove. * @return {*} The value of the popped node. * @private */ goog.structs.LinkedMap.prototype.popNode_ = function(node) { if (this.head_ != node) { this.removeNode(node); } return node.value; }; /** * Internal class for a doubly-linked list node containing a key/value pair. * @param {string} key The key. * @param {*} value The value. * @constructor * @private */ goog.structs.LinkedMap.Node_ = function(key, value) { this.key = key; this.value = value; }; /** * The next node in the list. * @type {!goog.structs.LinkedMap.Node_} */ goog.structs.LinkedMap.Node_.prototype.next; /** * The previous node in the list. * @type {!goog.structs.LinkedMap.Node_} */ goog.structs.LinkedMap.Node_.prototype.prev; /** * Causes this node to remove itself from the list. */ goog.structs.LinkedMap.Node_.prototype.remove = function() { this.prev.next = this.next; this.next.prev = this.prev; delete this.prev; delete this.next; };
JavaScript
// Copyright 2006 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Generic immutable node object to be used in collections. * */ goog.provide('goog.structs.Node'); /** * A generic immutable node. This can be used in various collections that * require a node object for its item (such as a heap). * @param {*} key Key. * @param {*} value Vaue. * @constructor */ goog.structs.Node = function(key, value) { /** * The key. * @type {*} * @private */ this.key_ = key; /** * The value. * @type {*} * @private */ this.value_ = value; }; /** * Gets the key. * @return {*} The key. */ goog.structs.Node.prototype.getKey = function() { return this.key_; }; /** * Gets the value. * @return {*} The value. */ goog.structs.Node.prototype.getValue = function() { return this.value_; }; /** * Clones a node and returns a new node. * @return {goog.structs.Node} A new goog.structs.Node with the same key value * pair. */ goog.structs.Node.prototype.clone = function() { return new goog.structs.Node(this.key_, this.value_); };
JavaScript
// Copyright 2009 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Data structure for set of strings. * * * This class implements a set data structure for strings. Adding and removing * is O(1). It doesn't contain any bloat from {@link goog.structs.Set}, i.e. * it isn't optimized for IE6 garbage collector (see the description of * {@link goog.structs.Map#keys_} for details), and it distinguishes its * elements by their string value not by hash code. */ goog.provide('goog.structs.StringSet'); goog.require('goog.iter'); /** * Creates a set of strings. * @param {!Array=} opt_elements Elements to add to the set. The non-string * items will be converted to strings, so 15 and '15' will mean the same. * @constructor */ goog.structs.StringSet = function(opt_elements) { /** * An object storing the escaped elements of the set in its keys. * @type {!Object} * @private */ this.elements_ = {}; if (opt_elements) { for (var i = 0; i < opt_elements.length; i++) { this.elements_[this.encode(opt_elements[i])] = null; } } }; /** * Empty object. Referring to it is faster than creating a new empty object in * {@link #encode}. * @type {Object} * @private */ goog.structs.StringSet.EMPTY_OBJECT_ = {}; /** * The '__proto__' and the '__count__' keys aren't enumerable in Firefox, and * 'toString', 'valueOf', 'constructor', etc. aren't enumerable in IE so they * have to be escaped before they are added to the internal object. * NOTE: When a new set is created, 50-80% of the CPU time is spent in encode. * @param {*} element The element to escape. * @return {*} The escaped element or the element itself if it doesn't have to * be escaped. * @protected */ goog.structs.StringSet.prototype.encode = function(element) { return element in goog.structs.StringSet.EMPTY_OBJECT_ || String(element).charCodeAt(0) == 32 ? ' ' + element : element; }; /** * Inverse function of {@link #encode}. * NOTE: forEach would be 30% faster in FF if the compiler inlined decode. * @param {string} key The escaped element used as the key of the internal * object. * @return {string} The unescaped element. * @protected */ goog.structs.StringSet.prototype.decode = function(key) { return key.charCodeAt(0) == 32 ? key.substr(1) : key; }; /** * Adds a single element to the set. * @param {*} element The element to add. It will be converted to string. */ goog.structs.StringSet.prototype.add = function(element) { this.elements_[this.encode(element)] = null; }; /** * Adds a the elements of an array to this set. * @param {!Array} arr The array to add the elements of. */ goog.structs.StringSet.prototype.addArray = function(arr) { for (var i = 0; i < arr.length; i++) { this.elements_[this.encode(arr[i])] = null; } }; /** * Adds the elements which are in {@code set1} but not in {@code set2} to this * set. * @param {!goog.structs.StringSet} set1 First set. * @param {!goog.structs.StringSet} set2 Second set. * @private */ goog.structs.StringSet.prototype.addDifference_ = function(set1, set2) { for (var key in set1.elements_) { if (set1.elements_.hasOwnProperty(key) && !set2.elements_.hasOwnProperty(key)) { this.elements_[key] = null; } } }; /** * Adds a the elements of a set to this set. * @param {!goog.structs.StringSet} stringSet The set to add the elements of. */ goog.structs.StringSet.prototype.addSet = function(stringSet) { for (var key in stringSet.elements_) { if (stringSet.elements_.hasOwnProperty(key)) { this.elements_[key] = null; } } }; /** * Removes all elements of the set. */ goog.structs.StringSet.prototype.clear = function() { this.elements_ = {}; }; /** * @return {!goog.structs.StringSet} Clone of the set. */ goog.structs.StringSet.prototype.clone = function() { var ret = new goog.structs.StringSet; ret.addSet(this); return ret; }; /** * Tells if the set contains the given element. * @param {*} element The element to check. * @return {boolean} Whether it is in the set. */ goog.structs.StringSet.prototype.contains = function(element) { return this.elements_.hasOwnProperty(this.encode(element)); }; /** * Tells if the set contains all elements of the array. * @param {!Array} arr The elements to check. * @return {boolean} Whether they are in the set. */ goog.structs.StringSet.prototype.containsArray = function(arr) { for (var i = 0; i < arr.length; i++) { if (!this.elements_.hasOwnProperty(this.encode(arr[i]))) { return false; } } return true; }; /** * Tells if this set has the same elements as the given set. * @param {!goog.structs.StringSet} stringSet The other set. * @return {boolean} Whether they have the same elements. */ goog.structs.StringSet.prototype.equals = function(stringSet) { return this.isSubsetOf(stringSet) && stringSet.isSubsetOf(this); }; /** * Calls a function for each element in the set. * @param {function(string, undefined, !goog.structs.StringSet)} f The function * to call for every element. It takes the element, undefined (because sets * have no notion of keys), and the set. * @param {Object=} opt_obj The object to be used as the value of 'this' * within {@code f}. */ goog.structs.StringSet.prototype.forEach = function(f, opt_obj) { for (var key in this.elements_) { if (this.elements_.hasOwnProperty(key)) { f.call(opt_obj, this.decode(key), undefined, this); } } }; /** * Counts the number of elements in the set in linear time. * NOTE: getCount is always called at most once per set instance in google3. * If this usage pattern won't change, the linear getCount implementation is * better, because * <li>populating a set and getting the number of elements in it takes the same * amount of time as keeping a count_ member up to date and getting its value; * <li>if getCount is not called, adding and removing elements have no overhead. * @return {number} The number of elements in the set. */ goog.structs.StringSet.prototype.getCount = function() { var count = 0; for (var key in this.elements_) { if (this.elements_.hasOwnProperty(key)) { count++; } } return count; }; /** * Calculates the difference of two sets. * @param {!goog.structs.StringSet} stringSet The set to subtract from this set. * @return {!goog.structs.StringSet} {@code this} minus {@code stringSet}. */ goog.structs.StringSet.prototype.getDifference = function(stringSet) { var ret = new goog.structs.StringSet; ret.addDifference_(this, stringSet); return ret; }; /** * Calculates the intersection of this set with another set. * @param {!goog.structs.StringSet} stringSet The set to take the intersection * with. * @return {!goog.structs.StringSet} A new set with the common elements. */ goog.structs.StringSet.prototype.getIntersection = function(stringSet) { var ret = new goog.structs.StringSet; for (var key in this.elements_) { if (stringSet.elements_.hasOwnProperty(key) && this.elements_.hasOwnProperty(key)) { ret.elements_[key] = null; } } return ret; }; /** * Calculates the symmetric difference of two sets. * @param {!goog.structs.StringSet} stringSet The other set. * @return {!goog.structs.StringSet} A new set with the elements in exactly one * of {@code this} and {@code stringSet}. */ goog.structs.StringSet.prototype.getSymmetricDifference = function(stringSet) { var ret = new goog.structs.StringSet; ret.addDifference_(this, stringSet); ret.addDifference_(stringSet, this); return ret; }; /** * Calculates the union of this set and another set. * @param {!goog.structs.StringSet} stringSet The set to take the union with. * @return {!goog.structs.StringSet} A new set with the union of elements. */ goog.structs.StringSet.prototype.getUnion = function(stringSet) { var ret = this.clone(); ret.addSet(stringSet); return ret; }; /** * @return {!Array.<string>} The elements of the set. */ goog.structs.StringSet.prototype.getValues = function() { var ret = []; for (var key in this.elements_) { if (this.elements_.hasOwnProperty(key)) { ret.push(this.decode(key)); } } return ret; }; /** * Tells if this set and the given set are disjoint. * @param {!goog.structs.StringSet} stringSet The other set. * @return {boolean} True iff they don't have common elements. */ goog.structs.StringSet.prototype.isDisjoint = function(stringSet) { for (var key in this.elements_) { if (stringSet.elements_.hasOwnProperty(key) && this.elements_.hasOwnProperty(key)) { return false; } } return true; }; /** * @return {boolean} Whether the set is empty. */ goog.structs.StringSet.prototype.isEmpty = function() { for (var key in this.elements_) { if (this.elements_.hasOwnProperty(key)) { return false; } } return true; }; /** * Tells if this set is the subset of the given set. * @param {!goog.structs.StringSet} stringSet The other set. * @return {boolean} Whether this set if the subset of that. */ goog.structs.StringSet.prototype.isSubsetOf = function(stringSet) { for (var key in this.elements_) { if (!stringSet.elements_.hasOwnProperty(key) && this.elements_.hasOwnProperty(key)) { return false; } } return true; }; /** * Tells if this set is the superset of the given set. * @param {!goog.structs.StringSet} stringSet The other set. * @return {boolean} Whether this set if the superset of that. */ goog.structs.StringSet.prototype.isSupersetOf = function(stringSet) { return this.isSubsetOf.call(stringSet, this); }; /** * Removes a single element from the set. * @param {*} element The element to remove. * @return {boolean} Whether the element was in the set. */ goog.structs.StringSet.prototype.remove = function(element) { var key = this.encode(element); if (this.elements_.hasOwnProperty(key)) { delete this.elements_[key]; return true; } return false; }; /** * Removes all elements of the given array from this set. * @param {!Array} arr The elements to remove. */ goog.structs.StringSet.prototype.removeArray = function(arr) { for (var i = 0; i < arr.length; i++) { delete this.elements_[this.encode(arr[i])]; } }; /** * Removes all elements of the given set from this set. * @param {!goog.structs.StringSet} stringSet The set of elements to remove. */ goog.structs.StringSet.prototype.removeSet = function(stringSet) { for (var key in stringSet.elements_) { delete this.elements_[key]; } }; /** * Returns an iterator that iterates over the elements in the set. * NOTE: creating the iterator copies the whole set so use {@link #forEach} when * possible. * @param {boolean=} opt_keys Ignored for sets. * @return {!goog.iter.Iterator} An iterator over the elements in the set. */ goog.structs.StringSet.prototype.__iterator__ = function(opt_keys) { return goog.iter.toIterator(this.getValues()); };
JavaScript
// Copyright 2011 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Defines the collection interface. * * @author nnaze@google.com (Nathan Naze) */ goog.provide('goog.structs.Collection'); /** * An interface for a collection of values. * @interface */ goog.structs.Collection = function() {}; /** * @param {*} value Value to add to the collection. */ goog.structs.Collection.prototype.add; /** * @param {*} value Value to remove from the collection. */ goog.structs.Collection.prototype.remove; /** * @param {*} value Value to find in the tree. * @return {boolean} Whether the collection contains the specified value. */ goog.structs.Collection.prototype.contains; /** * @return {number} The number of values stored in the collection. */ goog.structs.Collection.prototype.getCount;
JavaScript
// Copyright 2008 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Provides inversion and inversion map functionality for storing * integer ranges and corresponding values. * */ goog.provide('goog.structs.InversionMap'); goog.require('goog.array'); /** * Maps ranges to values using goog.structs.Inversion. * @param {Array.<number>} rangeArray An array of monotonically * increasing integer values, with at least one instance. * @param {Array.<*>} valueArray An array of corresponding values. * Length must be the same as rangeArray. * @param {boolean=} opt_delta If true, saves only delta from previous value. * @constructor */ goog.structs.InversionMap = function(rangeArray, valueArray, opt_delta) { if (rangeArray.length != valueArray.length) { // rangeArray and valueArray has to match in number of entries. return null; } this.storeInversion_(rangeArray, opt_delta); /** * @type {Array} * @protected */ this.values = valueArray; }; /** * @type {Array} * @protected */ goog.structs.InversionMap.prototype.rangeArray; /** * Stores the integers as ranges (half-open). * If delta is true, the integers are delta from the previous value and * will be restored to the absolute value. * When used as a set, even indices are IN, and odd are OUT. * @param {Array.<number?>} rangeArray An array of monotonically * increasing integer values, with at least one instance. * @param {boolean=} opt_delta If true, saves only delta from previous value. * @private */ goog.structs.InversionMap.prototype.storeInversion_ = function(rangeArray, opt_delta) { this.rangeArray = rangeArray; for (var i = 1; i < rangeArray.length; i++) { if (rangeArray[i] == null) { rangeArray[i] = rangeArray[i - 1] + 1; } else if (opt_delta) { rangeArray[i] += rangeArray[i - 1]; } } }; /** * Splices a range -> value map into this inversion map. * @param {Array.<number>} rangeArray An array of monotonically * increasing integer values, with at least one instance. * @param {Array.<*>} valueArray An array of corresponding values. * Length must be the same as rangeArray. * @param {boolean=} opt_delta If true, saves only delta from previous value. */ goog.structs.InversionMap.prototype.spliceInversion = function( rangeArray, valueArray, opt_delta) { // By building another inversion map, we build the arrays that we need // to splice in. var otherMap = new goog.structs.InversionMap( rangeArray, valueArray, opt_delta); // Figure out where to splice those arrays. var startRange = otherMap.rangeArray[0]; var endRange = /** @type {number} */ (goog.array.peek(otherMap.rangeArray)); var startSplice = this.getLeast(startRange); var endSplice = this.getLeast(endRange); // The inversion map works by storing the start points of ranges... if (startRange != this.rangeArray[startSplice]) { // ...if we're splicing in a start point that isn't already here, // then we need to insert it after the insertion point. startSplice++; } // otherwise we overwrite the insertion point. var spliceLength = endSplice - startSplice + 1; goog.partial(goog.array.splice, this.rangeArray, startSplice, spliceLength).apply(null, otherMap.rangeArray); goog.partial(goog.array.splice, this.values, startSplice, spliceLength).apply(null, otherMap.values); }; /** * Gets the value corresponding to a number from the inversion map. * @param {number} intKey The number for which value needs to be retrieved * from inversion map. * @return {*} Value retrieved from inversion map; null if not found. */ goog.structs.InversionMap.prototype.at = function(intKey) { var index = this.getLeast(intKey); if (index < 0) { return null; } return this.values[index]; }; /** * Gets the largest index such that rangeArray[index] <= intKey from the * inversion map. * @param {number} intKey The probe for which rangeArray is searched. * @return {number} Largest index such that rangeArray[index] <= intKey. * @protected */ goog.structs.InversionMap.prototype.getLeast = function(intKey) { var arr = this.rangeArray; var low = 0; var high = arr.length; while (high - low > 8) { var mid = (high + low) >> 1; if (arr[mid] <= intKey) { low = mid; } else { high = mid; } } for (; low < high; ++low) { if (intKey < arr[low]) { break; } } return low - 1; };
JavaScript
// Copyright 2007 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Datastructure: Pool. * * * A generic class for handling pools of objects that is more efficient than * goog.structs.Pool because it doesn't maintain a list of objects that are in * use. See constructor comment. */ goog.provide('goog.structs.SimplePool'); goog.require('goog.Disposable'); /** * A generic pool class. Simpler and more efficient than goog.structs.Pool * because it doesn't maintain a list of objects that are in use. This class * has constant overhead and doesn't create any additional objects as part of * the pool management after construction time. * * IMPORTANT: If the objects being pooled are arrays or maps that can have * unlimited number of properties, they need to be cleaned before being * returned to the pool. * * Also note that {@see goog.object.clean} actually allocates an array to clean * the object passed to it, so simply using this function would defy the * purpose of using the pool. * * @param {number} initialCount Initial number of objects to populate the * free pool at construction time. * @param {number} maxCount Maximum number of objects to keep in the free pool. * @constructor * @extends {goog.Disposable} */ goog.structs.SimplePool = function(initialCount, maxCount) { goog.Disposable.call(this); /** * Maximum number of objects allowed * @type {number} * @private */ this.maxCount_ = maxCount; /** * Queue used to store objects that are currently in the pool and available * to be used. * @type {Array} * @private */ this.freeQueue_ = []; this.createInitial_(initialCount); }; goog.inherits(goog.structs.SimplePool, goog.Disposable); /** * Function for overriding createObject. The avoids a common case requiring * subclassing this class. * @type {Function} * @private */ goog.structs.SimplePool.prototype.createObjectFn_ = null; /** * Function for overriding disposeObject. The avoids a common case requiring * subclassing this class. * @type {Function} * @private */ goog.structs.SimplePool.prototype.disposeObjectFn_ = null; /** * Sets the {@code createObject} function which is used for creating a new * object in the pool. * @param {Function} createObjectFn Create object function which returns the * newly createrd object. */ goog.structs.SimplePool.prototype.setCreateObjectFn = function(createObjectFn) { this.createObjectFn_ = createObjectFn; }; /** * Sets the {@code disposeObject} function which is used for disposing of an * object in the pool. * @param {Function} disposeObjectFn Dispose object function which takes the * object to dispose as a parameter. */ goog.structs.SimplePool.prototype.setDisposeObjectFn = function( disposeObjectFn) { this.disposeObjectFn_ = disposeObjectFn; }; /** * Gets an unused object from the the pool, if there is one available, * otherwise creates a new one. * @return {*} An object from the pool or a new one if necessary. */ goog.structs.SimplePool.prototype.getObject = function() { if (this.freeQueue_.length) { return this.freeQueue_.pop(); } return this.createObject(); }; /** * Returns an object to the pool so that it can be reused. If the pool is * already full, the object is disposed instead. * @param {*} obj The object to release. */ goog.structs.SimplePool.prototype.releaseObject = function(obj) { if (this.freeQueue_.length < this.maxCount_) { this.freeQueue_.push(obj); } else { this.disposeObject(obj); } }; /** * Populates the pool with initialCount objects. * @param {number} initialCount The number of objects to add to the pool. * @private */ goog.structs.SimplePool.prototype.createInitial_ = function(initialCount) { if (initialCount > this.maxCount_) { throw Error('[goog.structs.SimplePool] Initial cannot be greater than max'); } for (var i = 0; i < initialCount; i++) { this.freeQueue_.push(this.createObject()); } }; /** * Should be overriden by sub-classes to return an instance of the object type * that is expected in the pool. * @return {*} The created object. */ goog.structs.SimplePool.prototype.createObject = function() { if (this.createObjectFn_) { return this.createObjectFn_(); } else { return {}; } }; /** * Should be overriden to dispose of an object. Default implementation is to * remove all of the object's members, which should render it useless. Calls the * object's dispose method, if available. * @param {*} obj The object to dispose. */ goog.structs.SimplePool.prototype.disposeObject = function(obj) { if (this.disposeObjectFn_) { this.disposeObjectFn_(obj); } else if (goog.isObject(obj)) { if (goog.isFunction(obj.dispose)) { obj.dispose(); } else { for (var i in obj) { delete obj[i]; } } } }; /** * Disposes of the pool and all objects currently held in the pool. * @override * @protected */ goog.structs.SimplePool.prototype.disposeInternal = function() { goog.structs.SimplePool.superClass_.disposeInternal.call(this); // Call disposeObject on each object held by the pool. var freeQueue = this.freeQueue_; while (freeQueue.length) { this.disposeObject(freeQueue.pop()); } delete this.freeQueue_; };
JavaScript
// Copyright 2006 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Datastructure: Heap. * * * This file provides the implementation of a Heap datastructure. Smaller keys * rise to the top. * * The big-O notation for all operations are below: * <pre> * Method big-O * ---------------------------------------------------------------------------- * - insert O(logn) * - remove O(logn) * - peek O(1) * - contains O(n) * </pre> */ // TODO(user): Should this rely on natural ordering via some Comparable // interface? goog.provide('goog.structs.Heap'); goog.require('goog.array'); goog.require('goog.object'); goog.require('goog.structs.Node'); /** * Class for a Heap datastructure. * * @param {goog.structs.Heap|Object=} opt_heap Optional goog.structs.Heap or * Object to initialize heap with. * @constructor */ goog.structs.Heap = function(opt_heap) { /** * The nodes of the heap. * @private * @type {Array.<goog.structs.Node>} */ this.nodes_ = []; if (opt_heap) { this.insertAll(opt_heap); } }; /** * Insert the given value into the heap with the given key. * @param {*} key The key. * @param {*} value The value. */ goog.structs.Heap.prototype.insert = function(key, value) { var node = new goog.structs.Node(key, value); var nodes = this.nodes_; nodes.push(node); this.moveUp_(nodes.length - 1); }; /** * Adds multiple key-value pairs from another goog.structs.Heap or Object * @param {goog.structs.Heap|Object} heap Object containing the data to add. */ goog.structs.Heap.prototype.insertAll = function(heap) { var keys, values; if (heap instanceof goog.structs.Heap) { keys = heap.getKeys(); values = heap.getValues(); // If it is a heap and the current heap is empty, I can realy on the fact // that the keys/values are in the correct order to put in the underlying // structure. if (heap.getCount() <= 0) { var nodes = this.nodes_; for (var i = 0; i < keys.length; i++) { nodes.push(new goog.structs.Node(keys[i], values[i])); } return; } } else { keys = goog.object.getKeys(heap); values = goog.object.getValues(heap); } for (var i = 0; i < keys.length; i++) { this.insert(keys[i], values[i]); } }; /** * Retrieves and removes the root value of this heap. * @return {*} The value removed from the root of the heap. Returns * undefined if the heap is empty. */ goog.structs.Heap.prototype.remove = function() { var nodes = this.nodes_; var count = nodes.length; var rootNode = nodes[0]; if (count <= 0) { return undefined; } else if (count == 1) { goog.array.clear(nodes); } else { nodes[0] = nodes.pop(); this.moveDown_(0); } return rootNode.getValue(); }; /** * Retrieves but does not remove the root value of this heap. * @return {*} The value at the root of the heap. Returns * undefined if the heap is empty. */ goog.structs.Heap.prototype.peek = function() { var nodes = this.nodes_; if (nodes.length == 0) { return undefined; } return nodes[0].getValue(); }; /** * Retrieves but does not remove the key of the root node of this heap. * @return {*} The key at the root of the heap. Returns undefined if the * heap is empty. */ goog.structs.Heap.prototype.peekKey = function() { return this.nodes_[0] && this.nodes_[0].getKey(); }; /** * Moves the node at the given index down to its proper place in the heap. * @param {number} index The index of the node to move down. * @private */ goog.structs.Heap.prototype.moveDown_ = function(index) { var nodes = this.nodes_; var count = nodes.length; // Save the node being moved down. var node = nodes[index]; // While the current node has a child. while (index < (count >> 1)) { var leftChildIndex = this.getLeftChildIndex_(index); var rightChildIndex = this.getRightChildIndex_(index); // Determine the index of the smaller child. var smallerChildIndex = rightChildIndex < count && nodes[rightChildIndex].getKey() < nodes[leftChildIndex].getKey() ? rightChildIndex : leftChildIndex; // If the node being moved down is smaller than its children, the node // has found the correct index it should be at. if (nodes[smallerChildIndex].getKey() > node.getKey()) { break; } // If not, then take the smaller child as the current node. nodes[index] = nodes[smallerChildIndex]; index = smallerChildIndex; } nodes[index] = node; }; /** * Moves the node at the given index up to its proper place in the heap. * @param {number} index The index of the node to move up. * @private */ goog.structs.Heap.prototype.moveUp_ = function(index) { var nodes = this.nodes_; var node = nodes[index]; // While the node being moved up is not at the root. while (index > 0) { // If the parent is less than the node being moved up, move the parent down. var parentIndex = this.getParentIndex_(index); if (nodes[parentIndex].getKey() > node.getKey()) { nodes[index] = nodes[parentIndex]; index = parentIndex; } else { break; } } nodes[index] = node; }; /** * Gets the index of the left child of the node at the given index. * @param {number} index The index of the node to get the left child for. * @return {number} The index of the left child. * @private */ goog.structs.Heap.prototype.getLeftChildIndex_ = function(index) { return index * 2 + 1; }; /** * Gets the index of the right child of the node at the given index. * @param {number} index The index of the node to get the right child for. * @return {number} The index of the right child. * @private */ goog.structs.Heap.prototype.getRightChildIndex_ = function(index) { return index * 2 + 2; }; /** * Gets the index of the parent of the node at the given index. * @param {number} index The index of the node to get the parent for. * @return {number} The index of the parent. * @private */ goog.structs.Heap.prototype.getParentIndex_ = function(index) { return (index - 1) >> 1; }; /** * Gets the values of the heap. * @return {Array} The values in the heap. */ goog.structs.Heap.prototype.getValues = function() { var nodes = this.nodes_; var rv = []; var l = nodes.length; for (var i = 0; i < l; i++) { rv.push(nodes[i].getValue()); } return rv; }; /** * Gets the keys of the heap. * @return {Array} The keys in the heap. */ goog.structs.Heap.prototype.getKeys = function() { var nodes = this.nodes_; var rv = []; var l = nodes.length; for (var i = 0; i < l; i++) { rv.push(nodes[i].getKey()); } return rv; }; /** * Whether the heap contains the given value. * @param {Object} val The value to check for. * @return {boolean} Whether the heap contains the value. */ goog.structs.Heap.prototype.containsValue = function(val) { return goog.array.some(this.nodes_, function(node) { return node.getValue() == val; }); }; /** * Whether the heap contains the given key. * @param {Object} key The key to check for. * @return {boolean} Whether the heap contains the key. */ goog.structs.Heap.prototype.containsKey = function(key) { return goog.array.some(this.nodes_, function(node) { return node.getKey() == key; }); }; /** * Clones a heap and returns a new heap * @return {goog.structs.Heap} A new goog.structs.Heap with the same key-value * pairs. */ goog.structs.Heap.prototype.clone = function() { return new goog.structs.Heap(this); }; /** * The number of key-value pairs in the map * @return {number} The number of pairs. */ goog.structs.Heap.prototype.getCount = function() { return this.nodes_.length; }; /** * Returns true if this heap contains no elements. * @return {boolean} Whether this heap contains no elements. */ goog.structs.Heap.prototype.isEmpty = function() { return goog.array.isEmpty(this.nodes_); }; /** * Removes all elements from the heap. */ goog.structs.Heap.prototype.clear = function() { goog.array.clear(this.nodes_); };
JavaScript
// Copyright 2006 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Datastructure: Queue. * * * This file provides the implementation of a FIFO Queue structure. * API is similar to that of com.google.common.collect.IntQueue */ goog.provide('goog.structs.Queue'); goog.require('goog.array'); /** * Class for FIFO Queue data structure. * * @constructor */ goog.structs.Queue = function() { this.elements_ = []; }; /** * The index of the next element to be removed from the queue. * @private * @type {number} */ goog.structs.Queue.prototype.head_ = 0; /** * The index at which the next element would be added to the queue. * @private * @type {number} */ goog.structs.Queue.prototype.tail_ = 0; /** * Puts the specified element on this queue. * @param {*} element The element to be added to the queue. */ goog.structs.Queue.prototype.enqueue = function(element) { this.elements_[this.tail_++] = element; }; /** * Retrieves and removes the head of this queue. * @return {*} The element at the head of this queue. Returns undefined if the * queue is empty. */ goog.structs.Queue.prototype.dequeue = function() { if (this.head_ == this.tail_) { return undefined; } var result = this.elements_[this.head_]; delete this.elements_[this.head_]; this.head_++; return result; }; /** * Retrieves but does not remove the head of this queue. * @return {*} The element at the head of this queue. Returns undefined if the * queue is empty. */ goog.structs.Queue.prototype.peek = function() { if (this.head_ == this.tail_) { return undefined; } return this.elements_[this.head_]; }; /** * Returns the number of elements in this queue. * @return {number} The number of elements in this queue. */ goog.structs.Queue.prototype.getCount = function() { return this.tail_ - this.head_; }; /** * Returns true if this queue contains no elements. * @return {boolean} true if this queue contains no elements. */ goog.structs.Queue.prototype.isEmpty = function() { return this.tail_ - this.head_ == 0; }; /** * Removes all elements from the queue. */ goog.structs.Queue.prototype.clear = function() { this.elements_.length = 0; this.head_ = 0; this.tail_ = 0; }; /** * Returns true if the given value is in the queue. * @param {*} obj The value to look for. * @return {boolean} Whether the object is in the queue. */ goog.structs.Queue.prototype.contains = function(obj) { return goog.array.contains(this.elements_, obj); }; /** * Removes the first occurrence of a particular value from the queue. * @param {*} obj Object to remove. * @return {boolean} True if an element was removed. */ goog.structs.Queue.prototype.remove = function(obj) { var index = goog.array.indexOf(this.elements_, obj); if (index < 0) { return false; } if (index == this.head_) { this.dequeue(); } else { goog.array.removeAt(this.elements_, index); this.tail_--; } return true; }; /** * Returns all the values in the queue. * @return {Array} An array of the values in the queue. */ goog.structs.Queue.prototype.getValues = function() { return this.elements_.slice(this.head_, this.tail_); };
JavaScript
// Copyright 2006 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Datastructure: Hash Map. * * @author arv@google.com (Erik Arvidsson) * @author jonp@google.com (Jon Perlow) Optimized for IE6 * * This file contains an implementation of a Map structure. It implements a lot * of the methods used in goog.structs so those functions work on hashes. For * convenience with common usage the methods accept any type for the key, though * internally they will be cast to strings. */ goog.provide('goog.structs.Map'); goog.require('goog.iter.Iterator'); goog.require('goog.iter.StopIteration'); goog.require('goog.object'); goog.require('goog.structs'); /** * Class for Hash Map datastructure. * @param {*=} opt_map Map or Object to initialize the map with. * @param {...*} var_args If 2 or more arguments are present then they * will be used as key-value pairs. * @constructor */ goog.structs.Map = function(opt_map, var_args) { /** * Underlying JS object used to implement the map. * @type {!Object} * @private */ this.map_ = {}; /** * An array of keys. This is necessary for two reasons: * 1. Iterating the keys using for (var key in this.map_) allocates an * object for every key in IE which is really bad for IE6 GC perf. * 2. Without a side data structure, we would need to escape all the keys * as that would be the only way we could tell during iteration if the * key was an internal key or a property of the object. * * This array can contain deleted keys so it's necessary to check the map * as well to see if the key is still in the map (this doesn't require a * memory allocation in IE). * @type {!Array.<string>} * @private */ this.keys_ = []; var argLength = arguments.length; if (argLength > 1) { if (argLength % 2) { throw Error('Uneven number of arguments'); } for (var i = 0; i < argLength; i += 2) { this.set(arguments[i], arguments[i + 1]); } } else if (opt_map) { this.addAll(/** @type {Object} */ (opt_map)); } }; /** * The number of key value pairs in the map. * @private * @type {number} */ goog.structs.Map.prototype.count_ = 0; /** * Version used to detect changes while iterating. * @private * @type {number} */ goog.structs.Map.prototype.version_ = 0; /** * @return {number} The number of key-value pairs in the map. */ goog.structs.Map.prototype.getCount = function() { return this.count_; }; /** * Returns the values of the map. * @return {!Array} The values in the map. */ goog.structs.Map.prototype.getValues = function() { this.cleanupKeysArray_(); var rv = []; for (var i = 0; i < this.keys_.length; i++) { var key = this.keys_[i]; rv.push(this.map_[key]); } return rv; }; /** * Returns the keys of the map. * @return {!Array.<string>} Array of string values. */ goog.structs.Map.prototype.getKeys = function() { this.cleanupKeysArray_(); return /** @type {!Array.<string>} */ (this.keys_.concat()); }; /** * Whether the map contains the given key. * @param {*} key The key to check for. * @return {boolean} Whether the map contains the key. */ goog.structs.Map.prototype.containsKey = function(key) { return goog.structs.Map.hasKey_(this.map_, key); }; /** * Whether the map contains the given value. This is O(n). * @param {*} val The value to check for. * @return {boolean} Whether the map contains the value. */ goog.structs.Map.prototype.containsValue = function(val) { for (var i = 0; i < this.keys_.length; i++) { var key = this.keys_[i]; if (goog.structs.Map.hasKey_(this.map_, key) && this.map_[key] == val) { return true; } } return false; }; /** * Whether this map is equal to the argument map. * @param {goog.structs.Map} otherMap The map against which to test equality. * @param {function(?, ?) : boolean=} opt_equalityFn Optional equality function * to test equality of values. If not specified, this will test whether * the values contained in each map are identical objects. * @return {boolean} Whether the maps are equal. */ goog.structs.Map.prototype.equals = function(otherMap, opt_equalityFn) { if (this === otherMap) { return true; } if (this.count_ != otherMap.getCount()) { return false; } var equalityFn = opt_equalityFn || goog.structs.Map.defaultEquals; this.cleanupKeysArray_(); for (var key, i = 0; key = this.keys_[i]; i++) { if (!equalityFn(this.get(key), otherMap.get(key))) { return false; } } return true; }; /** * Default equality test for values. * @param {*} a The first value. * @param {*} b The second value. * @return {boolean} Whether a and b reference the same object. */ goog.structs.Map.defaultEquals = function(a, b) { return a === b; }; /** * @return {boolean} Whether the map is empty. */ goog.structs.Map.prototype.isEmpty = function() { return this.count_ == 0; }; /** * Removes all key-value pairs from the map. */ goog.structs.Map.prototype.clear = function() { this.map_ = {}; this.keys_.length = 0; this.count_ = 0; this.version_ = 0; }; /** * Removes a key-value pair based on the key. This is O(logN) amortized due to * updating the keys array whenever the count becomes half the size of the keys * in the keys array. * @param {*} key The key to remove. * @return {boolean} Whether object was removed. */ goog.structs.Map.prototype.remove = function(key) { if (goog.structs.Map.hasKey_(this.map_, key)) { delete this.map_[key]; this.count_--; this.version_++; // clean up the keys array if the threshhold is hit if (this.keys_.length > 2 * this.count_) { this.cleanupKeysArray_(); } return true; } return false; }; /** * Cleans up the temp keys array by removing entries that are no longer in the * map. * @private */ goog.structs.Map.prototype.cleanupKeysArray_ = function() { if (this.count_ != this.keys_.length) { // First remove keys that are no longer in the map. var srcIndex = 0; var destIndex = 0; while (srcIndex < this.keys_.length) { var key = this.keys_[srcIndex]; if (goog.structs.Map.hasKey_(this.map_, key)) { this.keys_[destIndex++] = key; } srcIndex++; } this.keys_.length = destIndex; } if (this.count_ != this.keys_.length) { // If the count still isn't correct, that means we have duplicates. This can // happen when the same key is added and removed multiple times. Now we have // to allocate one extra Object to remove the duplicates. This could have // been done in the first pass, but in the common case, we can avoid // allocating an extra object by only doing this when necessary. var seen = {}; var srcIndex = 0; var destIndex = 0; while (srcIndex < this.keys_.length) { var key = this.keys_[srcIndex]; if (!(goog.structs.Map.hasKey_(seen, key))) { this.keys_[destIndex++] = key; seen[key] = 1; } srcIndex++; } this.keys_.length = destIndex; } }; /** * Returns the value for the given key. If the key is not found and the default * value is not given this will return {@code undefined}. * @param {*} key The key to get the value for. * @param {*=} opt_val The value to return if no item is found for the given * key, defaults to undefined. * @return {*} The value for the given key. */ goog.structs.Map.prototype.get = function(key, opt_val) { if (goog.structs.Map.hasKey_(this.map_, key)) { return this.map_[key]; } return opt_val; }; /** * Adds a key-value pair to the map. * @param {*} key The key. * @param {*} value The value to add. * @return {*} Some subclasses return a value. */ goog.structs.Map.prototype.set = function(key, value) { if (!(goog.structs.Map.hasKey_(this.map_, key))) { this.count_++; this.keys_.push(key); // Only change the version if we add a new key. this.version_++; } this.map_[key] = value; }; /** * Adds multiple key-value pairs from another goog.structs.Map or Object. * @param {Object} map Object containing the data to add. */ goog.structs.Map.prototype.addAll = function(map) { var keys, values; if (map instanceof goog.structs.Map) { keys = map.getKeys(); values = map.getValues(); } else { keys = goog.object.getKeys(map); values = goog.object.getValues(map); } // we could use goog.array.forEach here but I don't want to introduce that // dependency just for this. for (var i = 0; i < keys.length; i++) { this.set(keys[i], values[i]); } }; /** * Clones a map and returns a new map. * @return {!goog.structs.Map} A new map with the same key-value pairs. */ goog.structs.Map.prototype.clone = function() { return new goog.structs.Map(this); }; /** * Returns a new map in which all the keys and values are interchanged * (keys become values and values become keys). If multiple keys map to the * same value, the chosen transposed value is implementation-dependent. * * It acts very similarly to {goog.object.transpose(Object)}. * * @return {!goog.structs.Map} The transposed map. */ goog.structs.Map.prototype.transpose = function() { var transposed = new goog.structs.Map(); for (var i = 0; i < this.keys_.length; i++) { var key = this.keys_[i]; var value = this.map_[key]; transposed.set(value, key); } return transposed; }; /** * @return {!Object} Object representation of the map. */ goog.structs.Map.prototype.toObject = function() { this.cleanupKeysArray_(); var obj = {}; for (var i = 0; i < this.keys_.length; i++) { var key = this.keys_[i]; obj[key] = this.map_[key]; } return obj; }; /** * Returns an iterator that iterates over the keys in the map. Removal of keys * while iterating might have undesired side effects. * @return {!goog.iter.Iterator} An iterator over the keys in the map. */ goog.structs.Map.prototype.getKeyIterator = function() { return this.__iterator__(true); }; /** * Returns an iterator that iterates over the values in the map. Removal of * keys while iterating might have undesired side effects. * @return {!goog.iter.Iterator} An iterator over the values in the map. */ goog.structs.Map.prototype.getValueIterator = function() { return this.__iterator__(false); }; /** * Returns an iterator that iterates over the values or the keys in the map. * This throws an exception if the map was mutated since the iterator was * created. * @param {boolean=} opt_keys True to iterate over the keys. False to iterate * over the values. The default value is false. * @return {!goog.iter.Iterator} An iterator over the values or keys in the map. */ goog.structs.Map.prototype.__iterator__ = function(opt_keys) { // Clean up keys to minimize the risk of iterating over dead keys. this.cleanupKeysArray_(); var i = 0; var keys = this.keys_; var map = this.map_; var version = this.version_; var selfObj = this; var newIter = new goog.iter.Iterator; newIter.next = function() { while (true) { if (version != selfObj.version_) { throw Error('The map has changed since the iterator was created'); } if (i >= keys.length) { throw goog.iter.StopIteration; } var key = keys[i++]; return opt_keys ? key : map[key]; } }; return newIter; }; /** * Safe way to test for hasOwnProperty. It even allows testing for * 'hasOwnProperty'. * @param {Object} obj The object to test for presence of the given key. * @param {*} key The key to check for. * @return {boolean} Whether the object has the key. * @private */ goog.structs.Map.hasKey_ = function(obj, key) { return Object.prototype.hasOwnProperty.call(obj, key); };
JavaScript
// Copyright 2006 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Datastructure: Circular Buffer. * * Implements a buffer with a maximum size. New entries override the oldest * entries when the maximum size has been reached. * */ goog.provide('goog.structs.CircularBuffer'); /** * Class for CircularBuffer. * @param {number=} opt_maxSize The maximum size of the buffer. * @constructor */ goog.structs.CircularBuffer = function(opt_maxSize) { /** * Maximum size of the the circular array structure. * @type {number} * @private */ this.maxSize_ = opt_maxSize || 100; /** * Underlying array for the CircularBuffer. * @type {Array} * @private */ this.buff_ = []; }; /** * Index of the next element in the circular array structure. * @type {number} * @private */ goog.structs.CircularBuffer.prototype.nextPtr_ = 0; /** * Adds an item to the buffer. May remove the oldest item if the buffer is at * max size. * @param {*} item The item to add. * @return {*} The removed old item, if the buffer is at max size. * Return undefined, otherwise. */ goog.structs.CircularBuffer.prototype.add = function(item) { var previousItem = this.buff_[this.nextPtr_]; this.buff_[this.nextPtr_] = item; this.nextPtr_ = (this.nextPtr_ + 1) % this.maxSize_; return previousItem; }; /** * Returns the item at the specified index. * @param {number} index The index of the item. The index of an item can change * after calls to {@code add()} if the buffer is at maximum size. * @return {*} The item at the specified index. */ goog.structs.CircularBuffer.prototype.get = function(index) { index = this.normalizeIndex_(index); return this.buff_[index]; }; /** * Sets the item at the specified index. * @param {number} index The index of the item. The index of an item can change * after calls to {@code add()} if the buffer is at maximum size. * @param {*} item The item to add. */ goog.structs.CircularBuffer.prototype.set = function(index, item) { index = this.normalizeIndex_(index); this.buff_[index] = item; }; /** * Returns the current number of items in the buffer. * @return {number} The current number of items in the buffer. */ goog.structs.CircularBuffer.prototype.getCount = function() { return this.buff_.length; }; /** * @return {boolean} Whether the buffer is empty. */ goog.structs.CircularBuffer.prototype.isEmpty = function() { return this.buff_.length == 0; }; /** * Empties the current buffer. */ goog.structs.CircularBuffer.prototype.clear = function() { this.buff_.length = 0; this.nextPtr_ = 0; }; /** * @return {Array} The values in the buffer. */ goog.structs.CircularBuffer.prototype.getValues = function() { // getNewestValues returns all the values if the maxCount parameter is the // count return this.getNewestValues(this.getCount()); }; /** * Returns the newest values in the buffer up to {@code count}. * @param {number} maxCount The maximum number of values to get. Should be a * positive number. * @return {Array} The newest values in the buffer up to {@code count}. */ goog.structs.CircularBuffer.prototype.getNewestValues = function(maxCount) { var l = this.getCount(); var start = this.getCount() - maxCount; var rv = []; for (var i = start; i < l; i++) { rv[i] = this.get(i); } return rv; }; /** * @return {Array} The indexes in the buffer. */ goog.structs.CircularBuffer.prototype.getKeys = function() { var rv = []; var l = this.getCount(); for (var i = 0; i < l; i++) { rv[i] = i; } return rv; }; /** * Whether the buffer contains the key/index. * @param {number} key The key/index to check for. * @return {boolean} Whether the buffer contains the key/index. */ goog.structs.CircularBuffer.prototype.containsKey = function(key) { return key < this.getCount(); }; /** * Whether the buffer contains the given value. * @param {*} value The value to check for. * @return {boolean} Whether the buffer contains the given value. */ goog.structs.CircularBuffer.prototype.containsValue = function(value) { var l = this.getCount(); for (var i = 0; i < l; i++) { if (this.get(i) == value) { return true; } } return false; }; /** * Returns the last item inserted into the buffer. * @return {*} The last item inserted into the buffer, or null if the buffer is * empty. */ goog.structs.CircularBuffer.prototype.getLast = function() { if (this.getCount() == 0) { return null; } return this.get(this.getCount() - 1); }; /** * Helper function to convert an index in the number space of oldest to * newest items in the array to the position that the element will be at in the * underlying array. * @param {number} index The index of the item in a list ordered from oldest to * newest. * @return {number} The index of the item in the CircularBuffer's underlying * array. * @private */ goog.structs.CircularBuffer.prototype.normalizeIndex_ = function(index) { if (index >= this.buff_.length) { throw Error('Out of bounds exception'); } if (this.buff_.length < this.maxSize_) { return index; } return (this.nextPtr_ + Number(index)) % this.maxSize_; };
JavaScript
// Copyright 2006 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Datastructure: Priority Queue. * * * This file provides the implementation of a Priority Queue. Smaller priorities * move to the front of the queue. If two values have the same priority, * it is arbitrary which value will come to the front of the queue first. */ // TODO(user): Should this rely on natural ordering via some Comparable // interface? goog.provide('goog.structs.PriorityQueue'); goog.require('goog.structs'); goog.require('goog.structs.Heap'); /** * Class for Priority Queue datastructure. * * @constructor * @extends {goog.structs.Heap} */ goog.structs.PriorityQueue = function() { goog.structs.Heap.call(this); }; goog.inherits(goog.structs.PriorityQueue, goog.structs.Heap); /** * Puts the specified value in the queue. * @param {*} priority The priority of the value. A smaller value here means a * higher priority. * @param {*} value The value. */ goog.structs.PriorityQueue.prototype.enqueue = function(priority, value) { this.insert(priority, value); }; /** * Retrieves and removes the head of this queue. * @return {*} The element at the head of this queue. Returns * undefined if the queue is empty. */ goog.structs.PriorityQueue.prototype.dequeue = function() { return this.remove(); };
JavaScript
// Copyright 2006 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Generics method for collection-like classes and objects. * * @author arv@google.com (Erik Arvidsson) * * This file contains functions to work with collections. It supports using * Map, Set, Array and Object and other classes that implement collection-like * methods. */ goog.provide('goog.structs'); goog.require('goog.array'); goog.require('goog.object'); // We treat an object as a dictionary if it has getKeys or it is an object that // isn't arrayLike. /** * Returns the number of values in the collection-like object. * @param {Object} col The collection-like object. * @return {number} The number of values in the collection-like object. */ goog.structs.getCount = function(col) { if (typeof col.getCount == 'function') { return col.getCount(); } if (goog.isArrayLike(col) || goog.isString(col)) { return col.length; } return goog.object.getCount(col); }; /** * Returns the values of the collection-like object. * @param {Object} col The collection-like object. * @return {!Array} The values in the collection-like object. */ goog.structs.getValues = function(col) { if (typeof col.getValues == 'function') { return col.getValues(); } if (goog.isString(col)) { return col.split(''); } if (goog.isArrayLike(col)) { var rv = []; var l = col.length; for (var i = 0; i < l; i++) { rv.push(col[i]); } return rv; } return goog.object.getValues(col); }; /** * Returns the keys of the collection. Some collections have no notion of * keys/indexes and this function will return undefined in those cases. * @param {Object} col The collection-like object. * @return {!Array|undefined} The keys in the collection. */ goog.structs.getKeys = function(col) { if (typeof col.getKeys == 'function') { return col.getKeys(); } // if we have getValues but no getKeys we know this is a key-less collection if (typeof col.getValues == 'function') { return undefined; } if (goog.isArrayLike(col) || goog.isString(col)) { var rv = []; var l = col.length; for (var i = 0; i < l; i++) { rv.push(i); } return rv; } return goog.object.getKeys(col); }; /** * Whether the collection contains the given value. This is O(n) and uses * equals (==) to test the existence. * @param {Object} col The collection-like object. * @param {*} val The value to check for. * @return {boolean} True if the map contains the value. */ goog.structs.contains = function(col, val) { if (typeof col.contains == 'function') { return col.contains(val); } if (typeof col.containsValue == 'function') { return col.containsValue(val); } if (goog.isArrayLike(col) || goog.isString(col)) { return goog.array.contains(/** @type {Array} */ (col), val); } return goog.object.containsValue(col, val); }; /** * Whether the collection is empty. * @param {Object} col The collection-like object. * @return {boolean} True if empty. */ goog.structs.isEmpty = function(col) { if (typeof col.isEmpty == 'function') { return col.isEmpty(); } // We do not use goog.string.isEmpty because here we treat the string as // collection and as such even whitespace matters if (goog.isArrayLike(col) || goog.isString(col)) { return goog.array.isEmpty(/** @type {Array} */ (col)); } return goog.object.isEmpty(col); }; /** * Removes all the elements from the collection. * @param {Object} col The collection-like object. */ goog.structs.clear = function(col) { // NOTE(arv): This should not contain strings because strings are immutable if (typeof col.clear == 'function') { col.clear(); } else if (goog.isArrayLike(col)) { goog.array.clear(/** @type {goog.array.ArrayLike} */ (col)); } else { goog.object.clear(col); } }; /** * Calls a function for each value in a collection. The function takes * three arguments; the value, the key and the collection. * * @param {S} col The collection-like object. * @param {function(this:T,?,?,S):?} f The function to call for every value. * This function takes * 3 arguments (the value, the key or undefined if the collection has no * notion of keys, and the collection) and the return value is irrelevant. * @param {T=} opt_obj The object to be used as the value of 'this' * within {@code f}. * @template T,S */ goog.structs.forEach = function(col, f, opt_obj) { if (typeof col.forEach == 'function') { col.forEach(f, opt_obj); } else if (goog.isArrayLike(col) || goog.isString(col)) { goog.array.forEach(/** @type {Array} */ (col), f, opt_obj); } else { var keys = goog.structs.getKeys(col); var values = goog.structs.getValues(col); var l = values.length; for (var i = 0; i < l; i++) { f.call(opt_obj, values[i], keys && keys[i], col); } } }; /** * Calls a function for every value in the collection. When a call returns true, * adds the value to a new collection (Array is returned by default). * * @param {S} col The collection-like object. * @param {function(this:T,?,?,S):boolean} f The function to call for every * value. This function takes * 3 arguments (the value, the key or undefined if the collection has no * notion of keys, and the collection) and should return a Boolean. If the * return value is true the value is added to the result collection. If it * is false the value is not included. * @param {T=} opt_obj The object to be used as the value of 'this' * within {@code f}. * @return {!Object|!Array} A new collection where the passed values are * present. If col is a key-less collection an array is returned. If col * has keys and values a plain old JS object is returned. * @template T,S */ goog.structs.filter = function(col, f, opt_obj) { if (typeof col.filter == 'function') { return col.filter(f, opt_obj); } if (goog.isArrayLike(col) || goog.isString(col)) { return goog.array.filter(/** @type {!Array} */ (col), f, opt_obj); } var rv; var keys = goog.structs.getKeys(col); var values = goog.structs.getValues(col); var l = values.length; if (keys) { rv = {}; for (var i = 0; i < l; i++) { if (f.call(opt_obj, values[i], keys[i], col)) { rv[keys[i]] = values[i]; } } } else { // We should not use goog.array.filter here since we want to make sure that // the index is undefined as well as make sure that col is passed to the // function. rv = []; for (var i = 0; i < l; i++) { if (f.call(opt_obj, values[i], undefined, col)) { rv.push(values[i]); } } } return rv; }; /** * Calls a function for every value in the collection and adds the result into a * new collection (defaults to creating a new Array). * * @param {S} col The collection-like object. * @param {function(this:T,?,?,S):V} f The function to call for every value. * This function takes 3 arguments (the value, the key or undefined if the * collection has no notion of keys, and the collection) and should return * something. The result will be used as the value in the new collection. * @param {T=} opt_obj The object to be used as the value of 'this' * within {@code f}. * @return {!Object.<V>|!Array.<V>} A new collection with the new values. If * col is a key-less collection an array is returned. If col has keys and * values a plain old JS object is returned. * @template T,S,V */ goog.structs.map = function(col, f, opt_obj) { if (typeof col.map == 'function') { return col.map(f, opt_obj); } if (goog.isArrayLike(col) || goog.isString(col)) { return goog.array.map(/** @type {!Array} */ (col), f, opt_obj); } var rv; var keys = goog.structs.getKeys(col); var values = goog.structs.getValues(col); var l = values.length; if (keys) { rv = {}; for (var i = 0; i < l; i++) { rv[keys[i]] = f.call(opt_obj, values[i], keys[i], col); } } else { // We should not use goog.array.map here since we want to make sure that // the index is undefined as well as make sure that col is passed to the // function. rv = []; for (var i = 0; i < l; i++) { rv[i] = f.call(opt_obj, values[i], undefined, col); } } return rv; }; /** * Calls f for each value in a collection. If any call returns true this returns * true (without checking the rest). If all returns false this returns false. * * @param {S} col The collection-like object. * @param {function(this:T,?,?,S):boolean} f The function to call for every * value. This function takes 3 arguments (the value, the key or undefined * if the collection has no notion of keys, and the collection) and should * return a boolean. * @param {T=} opt_obj The object to be used as the value of 'this' * within {@code f}. * @return {boolean} True if any value passes the test. * @template T,S */ goog.structs.some = function(col, f, opt_obj) { if (typeof col.some == 'function') { return col.some(f, opt_obj); } if (goog.isArrayLike(col) || goog.isString(col)) { return goog.array.some(/** @type {!Array} */ (col), f, opt_obj); } var keys = goog.structs.getKeys(col); var values = goog.structs.getValues(col); var l = values.length; for (var i = 0; i < l; i++) { if (f.call(opt_obj, values[i], keys && keys[i], col)) { return true; } } return false; }; /** * Calls f for each value in a collection. If all calls return true this return * true this returns true. If any returns false this returns false at this point * and does not continue to check the remaining values. * * @param {S} col The collection-like object. * @param {function(this:T,?,?,S):boolean} f The function to call for every * value. This function takes 3 arguments (the value, the key or * undefined if the collection has no notion of keys, and the collection) * and should return a boolean. * @param {T=} opt_obj The object to be used as the value of 'this' * within {@code f}. * @return {boolean} True if all key-value pairs pass the test. * @template T,S */ goog.structs.every = function(col, f, opt_obj) { if (typeof col.every == 'function') { return col.every(f, opt_obj); } if (goog.isArrayLike(col) || goog.isString(col)) { return goog.array.every(/** @type {!Array} */ (col), f, opt_obj); } var keys = goog.structs.getKeys(col); var values = goog.structs.getValues(col); var l = values.length; for (var i = 0; i < l; i++) { if (!f.call(opt_obj, values[i], keys && keys[i], col)) { return false; } } return true; };
JavaScript
// Copyright 2006 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Datastructure: Priority Pool. * * * An extending of Pool that handles queueing and prioritization. */ goog.provide('goog.structs.PriorityPool'); goog.require('goog.structs.Pool'); goog.require('goog.structs.PriorityQueue'); /** * A generic pool class. If max is greater than min, an error is thrown. * @param {number=} opt_minCount Min. number of objects (Default: 1). * @param {number=} opt_maxCount Max. number of objects (Default: 10). * @constructor * @extends {goog.structs.Pool} */ goog.structs.PriorityPool = function(opt_minCount, opt_maxCount) { /** * Queue of requests for pool objects. * @type {goog.structs.PriorityQueue} * @private */ this.requestQueue_ = new goog.structs.PriorityQueue(); // Must break convention of putting the super-class's constructor first. This // is because the super-class constructor calls adjustForMinMax, which this // class overrides. In this class's implementation, it assumes that there // is a requestQueue_, and will error if not present. goog.structs.Pool.call(this, opt_minCount, opt_maxCount); }; goog.inherits(goog.structs.PriorityPool, goog.structs.Pool); /** * The key for the most recent timeout created. * @type {number|undefined} * @private */ goog.structs.PriorityPool.prototype.delayTimeout_; /** * Default priority for pool objects requests. * @type {number} * @private */ goog.structs.PriorityPool.DEFAULT_PRIORITY_ = 100; /** @override */ goog.structs.PriorityPool.prototype.setDelay = function(delay) { goog.base(this, 'setDelay', delay); // If the pool hasn't been accessed yet, no need to do anything. if (!goog.isDefAndNotNull(this.lastAccess)) { return; } goog.global.clearTimeout(this.delayTimeout_); this.delayTimeout_ = goog.global.setTimeout( goog.bind(this.handleQueueRequests_, this), this.delay + this.lastAccess - goog.now()); // Handle all requests. this.handleQueueRequests_(); }; /** * Get a new object from the the pool, if there is one available, otherwise * return undefined. * @param {Function=} opt_callback The function to callback when an object is * available. This could be immediately. If this is not present, then an * object is immediately returned if available, or undefined if not. * @param {*=} opt_priority The priority of the request. A smaller value means a * higher priority. * @return {Object|undefined} The new object from the pool if there is one * available and a callback is not given. Otherwise, undefined. * @override */ goog.structs.PriorityPool.prototype.getObject = function(opt_callback, opt_priority) { if (!opt_callback) { var result = goog.base(this, 'getObject'); if (result && this.delay) { this.delayTimeout_ = goog.global.setTimeout( goog.bind(this.handleQueueRequests_, this), this.delay); } return result; } var priority = goog.isDef(opt_priority) ? opt_priority : goog.structs.PriorityPool.DEFAULT_PRIORITY_; this.requestQueue_.enqueue(priority, opt_callback); // Handle all requests. this.handleQueueRequests_(); return undefined; }; /** * Handles the request queue. Tries to fires off as many queued requests as * possible. * @private */ goog.structs.PriorityPool.prototype.handleQueueRequests_ = function() { var requestQueue = this.requestQueue_; while (requestQueue.getCount() > 0) { var obj = this.getObject(); if (!obj) { return; } else { var requestCallback = requestQueue.dequeue(); requestCallback.apply(this, [obj]); } } }; /** * Adds an object to the collection of objects that are free. If the object can * not be added, then it is disposed. * * NOTE: This method does not remove the object from the in use collection. * * @param {Object} obj The object to add to the collection of free objects. * @override */ goog.structs.PriorityPool.prototype.addFreeObject = function(obj) { goog.structs.PriorityPool.superClass_.addFreeObject.call(this, obj); // Handle all requests. this.handleQueueRequests_(); }; /** * Adjusts the objects held in the pool to be within the min/max constraints. * * NOTE: It is possible that the number of objects in the pool will still be * greater than the maximum count of objects allowed. This will be the case * if no more free objects can be disposed of to get below the minimum count * (i.e., all objects are in use). * @override */ goog.structs.PriorityPool.prototype.adjustForMinMax = function() { goog.structs.PriorityPool.superClass_.adjustForMinMax.call(this); // Handle all requests. this.handleQueueRequests_(); }; /** @override */ goog.structs.PriorityPool.prototype.disposeInternal = function() { goog.structs.PriorityPool.superClass_.disposeInternal.call(this); goog.global.clearTimeout(this.delayTimeout_); this.requestQueue_.clear(); this.requestQueue_ = null; };
JavaScript
// Copyright 2006 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Datastructure: Pool. * * * A generic class for handling pools of objects. * When an object is released, it is attempted to be reused. */ goog.provide('goog.structs.Pool'); goog.require('goog.Disposable'); goog.require('goog.structs.Queue'); goog.require('goog.structs.Set'); /** * A generic pool class. If min is greater than max, an error is thrown. * @param {number=} opt_minCount Min. number of objects (Default: 1). * @param {number=} opt_maxCount Max. number of objects (Default: 10). * @constructor * @extends {goog.Disposable} */ goog.structs.Pool = function(opt_minCount, opt_maxCount) { goog.Disposable.call(this); /** * Minimum number of objects allowed * @type {number} * @private */ this.minCount_ = opt_minCount || 0; /** * Maximum number of objects allowed * @type {number} * @private */ this.maxCount_ = opt_maxCount || 10; // Make sure that the max and min constraints are valid. if (this.minCount_ > this.maxCount_) { throw Error(goog.structs.Pool.ERROR_MIN_MAX_); } /** * Set used to store objects that are currently in the pool and available * to be used. * @type {goog.structs.Queue} * @private */ this.freeQueue_ = new goog.structs.Queue(); /** * Set used to store objects that are currently in the pool and in use. * @type {goog.structs.Set} * @private */ this.inUseSet_ = new goog.structs.Set(); /** * The minimum delay between objects being made available, in milliseconds. If * this is 0, no minimum delay is enforced. * @type {number} * @protected */ this.delay = 0; /** * The time of the last object being made available, in milliseconds since the * epoch (i.e., the result of Date#toTime). If this is null, no access has * occurred yet. * @type {number?} * @protected */ this.lastAccess = null; // Make sure that the minCount constraint is satisfied. this.adjustForMinMax(); // TODO(user): Remove once JSCompiler's undefined properties warnings // don't error for guarded properties. var magicProps = {canBeReused: 0}; }; goog.inherits(goog.structs.Pool, goog.Disposable); /** * Error to throw when the max/min constraint is attempted to be invalidated. * I.e., when it is attempted for maxCount to be less than minCount. * @type {string} * @private */ goog.structs.Pool.ERROR_MIN_MAX_ = '[goog.structs.Pool] Min can not be greater than max'; /** * Error to throw when the Pool is attempted to be disposed and it is asked to * make sure that there are no objects that are in use (i.e., haven't been * released). * @type {string} * @private */ goog.structs.Pool.ERROR_DISPOSE_UNRELEASED_OBJS_ = '[goog.structs.Pool] Objects not released'; /** * Sets the minimum count of the pool. * If min is greater than the max count of the pool, an error is thrown. * @param {number} min The minimum count of the pool. */ goog.structs.Pool.prototype.setMinimumCount = function(min) { // Check count constraints. if (min > this.maxCount_) { throw Error(goog.structs.Pool.ERROR_MIN_MAX_); } this.minCount_ = min; // Adjust the objects in the pool as needed. this.adjustForMinMax(); }; /** * Sets the maximum count of the pool. * If max is less than the max count of the pool, an error is thrown. * @param {number} max The maximium count of the pool. */ goog.structs.Pool.prototype.setMaximumCount = function(max) { // Check count constraints. if (max < this.minCount_) { throw Error(goog.structs.Pool.ERROR_MIN_MAX_); } this.maxCount_ = max; // Adjust the objects in the pool as needed. this.adjustForMinMax(); }; /** * Sets the minimum delay between objects being returned by getObject, in * milliseconds. This defaults to zero, meaning that no minimum delay is * enforced and objects may be used as soon as they're available. * @param {number} delay The minimum delay, in milliseconds. */ goog.structs.Pool.prototype.setDelay = function(delay) { this.delay = delay; }; /** * @return {Object|undefined} A new object from the pool if there is one * available, otherwise undefined. */ goog.structs.Pool.prototype.getObject = function() { var time = goog.now(); if (goog.isDefAndNotNull(this.lastAccess) && time - this.lastAccess < this.delay) { return undefined; } var obj = this.removeFreeObject_(); if (obj) { this.lastAccess = time; this.inUseSet_.add(obj); } return obj; }; /** * Returns an object to the pool of available objects so that it can be reused. * @param {Object} obj The object to return to the pool of free objects. * @return {boolean} Whether the object was found in the Pool's set of in-use * objects (in other words, whether any action was taken). */ goog.structs.Pool.prototype.releaseObject = function(obj) { if (this.inUseSet_.remove(obj)) { this.addFreeObject(obj); return true; } return false; }; /** * Removes a free object from the collection of objects that are free so that it * can be used. * * NOTE: This method does not mark the returned object as in use. * * @return {Object|undefined} The object removed from the free collection, if * there is one available. Otherwise, undefined. * @private */ goog.structs.Pool.prototype.removeFreeObject_ = function() { var obj; while (this.getFreeCount() > 0) { obj = /** @type {Object} */(this.freeQueue_.dequeue()); if (!this.objectCanBeReused(obj)) { this.adjustForMinMax(); } else { break; } } if (!obj && this.getCount() < this.maxCount_) { obj = this.createObject(); } return obj; }; /** * Adds an object to the collection of objects that are free. If the object can * not be added, then it is disposed. * * @param {Object} obj The object to add to collection of free objects. */ goog.structs.Pool.prototype.addFreeObject = function(obj) { this.inUseSet_.remove(obj); if (this.objectCanBeReused(obj) && this.getCount() < this.maxCount_) { this.freeQueue_.enqueue(obj); } else { this.disposeObject(obj); } }; /** * Adjusts the objects held in the pool to be within the min/max constraints. * * NOTE: It is possible that the number of objects in the pool will still be * greater than the maximum count of objects allowed. This will be the case * if no more free objects can be disposed of to get below the minimum count * (i.e., all objects are in use). */ goog.structs.Pool.prototype.adjustForMinMax = function() { var freeQueue = this.freeQueue_; // Make sure the at least the minimum number of objects are created. while (this.getCount() < this.minCount_) { freeQueue.enqueue(this.createObject()); } // Make sure no more than the maximum number of objects are created. while (this.getCount() > this.maxCount_ && this.getFreeCount() > 0) { this.disposeObject(/** @type {Object} */(freeQueue.dequeue())); } }; /** * Should be overriden by sub-classes to return an instance of the object type * that is expected in the pool. * @return {Object} The created object. */ goog.structs.Pool.prototype.createObject = function() { return {}; }; /** * Should be overriden to dispose of an object. Default implementation is to * remove all its members, which should render it useless. Calls the object's * {@code dispose()} method, if available. * @param {Object} obj The object to dispose. */ goog.structs.Pool.prototype.disposeObject = function(obj) { if (typeof obj.dispose == 'function') { obj.dispose(); } else { for (var i in obj) { obj[i] = null; } } }; /** * Should be overriden to determine whether an object has become unusable and * should not be returned by getObject(). Calls the object's * {@code canBeReused()} method, if available. * @param {Object} obj The object to test. * @return {boolean} Whether the object can be reused. */ goog.structs.Pool.prototype.objectCanBeReused = function(obj) { if (typeof obj.canBeReused == 'function') { return obj.canBeReused(); } return true; }; /** * Returns true if the given object is in the pool. * @param {Object} obj The object to check the pool for. * @return {boolean} Whether the pool contains the object. */ goog.structs.Pool.prototype.contains = function(obj) { return this.freeQueue_.contains(obj) || this.inUseSet_.contains(obj); }; /** * Returns the number of objects currently in the pool. * @return {number} Number of objects currently in the pool. */ goog.structs.Pool.prototype.getCount = function() { return this.freeQueue_.getCount() + this.inUseSet_.getCount(); }; /** * Returns the number of objects currently in use in the pool. * @return {number} Number of objects currently in use in the pool. */ goog.structs.Pool.prototype.getInUseCount = function() { return this.inUseSet_.getCount(); }; /** * Returns the number of objects currently free in the pool. * @return {number} Number of objects currently free in the pool. */ goog.structs.Pool.prototype.getFreeCount = function() { return this.freeQueue_.getCount(); }; /** * Determines if the pool contains no objects. * @return {boolean} Whether the pool contains no objects. */ goog.structs.Pool.prototype.isEmpty = function() { return this.freeQueue_.isEmpty() && this.inUseSet_.isEmpty(); }; /** * Disposes of the pool and all objects currently held in the pool. * @override * @protected */ goog.structs.Pool.prototype.disposeInternal = function() { goog.structs.Pool.superClass_.disposeInternal.call(this); if (this.getInUseCount() > 0) { throw Error(goog.structs.Pool.ERROR_DISPOSE_UNRELEASED_OBJS_); } delete this.inUseSet_; // Call disposeObject on each object held by the pool. var freeQueue = this.freeQueue_; while (!freeQueue.isEmpty()) { this.disposeObject(/** @type {Object} */ (freeQueue.dequeue())); } delete this.freeQueue_; };
JavaScript
// Copyright 2010 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview A bootstrap for dynamically requiring Closure within an HTML5 * Web Worker context. To use this, first set CLOSURE_BASE_PATH to the directory * containing base.js (relative to the main script), then use importScripts to * load this file and base.js (in that order). After this you can use * goog.require for further imports. * * @nocompile */ /** * Imports a script using the Web Worker importScript API. * * @param {string} src The script source. * @return {boolean} True if the script was imported, false otherwise. */ this.CLOSURE_IMPORT_SCRIPT = (function(global) { return function(src) { global['importScripts'](src); return true; }; })(this);
JavaScript
// Copyright 2008 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Date range data structure. Based loosely on * com.google.common.util.DateRange. * */ goog.provide('goog.date.DateRange'); goog.provide('goog.date.DateRange.Iterator'); goog.provide('goog.date.DateRange.StandardDateRangeKeys'); goog.require('goog.date.Date'); goog.require('goog.date.Interval'); goog.require('goog.iter.Iterator'); goog.require('goog.iter.StopIteration'); /** * Constructs a date range. * @constructor * @param {goog.date.Date} startDate The first date in the range. * @param {goog.date.Date} endDate The last date in the range. */ goog.date.DateRange = function(startDate, endDate) { /** * The first date in the range. * @type {goog.date.Date} * @private */ this.startDate_ = startDate; /** * The last date in the range. * @type {goog.date.Date} * @private */ this.endDate_ = endDate; }; /** * The first possible day, as far as this class is concerned. * @type {goog.date.Date} */ goog.date.DateRange.MINIMUM_DATE = new goog.date.Date(0000, 0, 1); /** * The last possible day, as far as this class is concerned. * @type {goog.date.Date} */ goog.date.DateRange.MAXIMUM_DATE = new goog.date.Date(9999, 11, 31); /** * @return {goog.date.Date} The first date in the range. */ goog.date.DateRange.prototype.getStartDate = function() { return this.startDate_; }; /** * @return {goog.date.Date} The last date in the range. */ goog.date.DateRange.prototype.getEndDate = function() { return this.endDate_; }; /** * @return {goog.iter.Iterator} An iterator over the date range. */ goog.date.DateRange.prototype.iterator = function() { return new goog.date.DateRange.Iterator(this); }; /** * Tests two {@link goog.date.DateRange} objects for equality. * @param {goog.date.DateRange} a A date range. * @param {goog.date.DateRange} b A date range. * @return {boolean} Whether |a| is the same range as |b|. */ goog.date.DateRange.equals = function(a, b) { // Test for same object reference; type conversion is irrelevant. if (a === b) { return true; } if (a == null || b == null) { return false; } return a.startDate_.equals(b.startDate_) && a.endDate_.equals(b.endDate_); }; /** * Calculates a date that is a number of days after a date. Does not modify its * input. * @param {goog.date.Date} date The input date. * @param {number} offset Number of days. * @return {goog.date.Date} The date that is |offset| days after |date|. * @private */ goog.date.DateRange.offsetInDays_ = function(date, offset) { var newDate = date.clone(); newDate.add(new goog.date.Interval(goog.date.Interval.DAYS, offset)); return newDate; }; /** * Calculates the Monday before a date. If the input is a Monday, returns the * input. Does not modify its input. * @param {goog.date.Date} date The input date. * @return {goog.date.Date} If |date| is a Monday, return |date|; otherwise * return the Monday before |date|. * @private */ goog.date.DateRange.currentOrLastMonday_ = function(date) { var newDate = date.clone(); newDate.add(new goog.date.Interval(goog.date.Interval.DAYS, -newDate.getIsoWeekday())); return newDate; }; /** * Calculates a date that is a number of months after the first day in the * month that contains its input. Does not modify its input. * @param {goog.date.Date} date The input date. * @param {number} offset Number of months. * @return {goog.date.Date} The date that is |offset| months after the first * day in the month that contains |date|. * @private */ goog.date.DateRange.offsetInMonths_ = function(date, offset) { var newDate = date.clone(); newDate.setDate(1); newDate.add(new goog.date.Interval(goog.date.Interval.MONTHS, offset)); return newDate; }; /** * Returns the range from yesterday to yesterday. * @param {goog.date.Date=} opt_today The date to consider today. * Defaults to today. * @return {goog.date.DateRange} The range that includes only yesterday. */ goog.date.DateRange.yesterday = function(opt_today) { var today = goog.date.DateRange.cloneOrCreate_(opt_today); var yesterday = goog.date.DateRange.offsetInDays_(today, -1); return new goog.date.DateRange(yesterday, yesterday); }; /** * Returns the range from today to today. * @param {goog.date.Date=} opt_today The date to consider today. * Defaults to today. * @return {goog.date.DateRange} The range that includes only today. */ goog.date.DateRange.today = function(opt_today) { var today = goog.date.DateRange.cloneOrCreate_(opt_today); return new goog.date.DateRange(today, today); }; /** * Returns the range that includes the seven days that end yesterday. * @param {goog.date.Date=} opt_today The date to consider today. * Defaults to today. * @return {goog.date.DateRange} The range that includes the seven days that * end yesterday. */ goog.date.DateRange.last7Days = function(opt_today) { var today = goog.date.DateRange.cloneOrCreate_(opt_today); var yesterday = goog.date.DateRange.offsetInDays_(today, -1); return new goog.date.DateRange(goog.date.DateRange.offsetInDays_(today, -7), yesterday); }; /** * Returns the range that starts the first of this month and ends the last day * of this month. * @param {goog.date.Date=} opt_today The date to consider today. * Defaults to today. * @return {goog.date.DateRange} The range that starts the first of this month * and ends the last day of this month. */ goog.date.DateRange.thisMonth = function(opt_today) { var today = goog.date.DateRange.cloneOrCreate_(opt_today); return new goog.date.DateRange( goog.date.DateRange.offsetInMonths_(today, 0), goog.date.DateRange.offsetInDays_( goog.date.DateRange.offsetInMonths_(today, 1), -1)); }; /** * Returns the range that starts the first of last month and ends the last day * of last month. * @param {goog.date.Date=} opt_today The date to consider today. * Defaults to today. * @return {goog.date.DateRange} The range that starts the first of last month * and ends the last day of last month. */ goog.date.DateRange.lastMonth = function(opt_today) { var today = goog.date.DateRange.cloneOrCreate_(opt_today); return new goog.date.DateRange( goog.date.DateRange.offsetInMonths_(today, -1), goog.date.DateRange.offsetInDays_( goog.date.DateRange.offsetInMonths_(today, 0), -1)); }; /** * Returns the seven-day range that starts on the first day of the week * (see {@link goog.i18n.DateTimeSymbols.FIRSTDAYOFWEEK}) on or before today. * @param {goog.date.Date=} opt_today The date to consider today. * Defaults to today. * @return {goog.date.DateRange} The range that starts the Monday on or before * today and ends the Sunday on or after today. */ goog.date.DateRange.thisWeek = function(opt_today) { var today = goog.date.DateRange.cloneOrCreate_(opt_today); var iso = today.getIsoWeekday(); var firstDay = today.getFirstDayOfWeek(); var i18nFirstDay = (iso >= firstDay) ? iso - firstDay : iso + (7 - firstDay); var start = goog.date.DateRange.offsetInDays_(today, -i18nFirstDay); var end = goog.date.DateRange.offsetInDays_(start, 6); return new goog.date.DateRange(start, end); }; /** * Returns the seven-day range that ends the day before the first day of * the week (see {@link goog.i18n.DateTimeSymbols.FIRSTDAYOFWEEK}) that * contains today. * @param {goog.date.Date=} opt_today The date to consider today. * Defaults to today. * @return {goog.date.DateRange} The range that starts seven days before the * Monday on or before today and ends the Sunday on or before yesterday. */ goog.date.DateRange.lastWeek = function(opt_today) { var thisWeek = goog.date.DateRange.thisWeek(opt_today); var start = goog.date.DateRange.offsetInDays_(thisWeek.getStartDate(), -7); var end = goog.date.DateRange.offsetInDays_(thisWeek.getEndDate(), -7); return new goog.date.DateRange(start, end); }; /** * Returns the range that starts seven days before the Monday on or before * today and ends the Friday before today. * @param {goog.date.Date=} opt_today The date to consider today. * Defaults to today. * @return {goog.date.DateRange} The range that starts seven days before the * Monday on or before today and ends the Friday before today. */ goog.date.DateRange.lastBusinessWeek = function(opt_today) { // TODO(user): should be i18nized. var today = goog.date.DateRange.cloneOrCreate_(opt_today); var start = goog.date.DateRange.offsetInDays_(today, - 7 - today.getIsoWeekday()); var end = goog.date.DateRange.offsetInDays_(start, 4); return new goog.date.DateRange(start, end); }; /** * Returns the range that includes all days between January 1, 1900 and * December 31, 9999. * @param {goog.date.Date=} opt_today The date to consider today. * Defaults to today. * @return {goog.date.DateRange} The range that includes all days between * January 1, 1900 and December 31, 9999. */ goog.date.DateRange.allTime = function(opt_today) { return new goog.date.DateRange( goog.date.DateRange.MINIMUM_DATE, goog.date.DateRange.MAXIMUM_DATE); }; /** * Standard date range keys. Equivalent to the enum IDs in * DateRange.java http://go/datarange.java * * @enum {string} */ goog.date.DateRange.StandardDateRangeKeys = { YESTERDAY: 'yesterday', TODAY: 'today', LAST_7_DAYS: 'last7days', THIS_MONTH: 'thismonth', LAST_MONTH: 'lastmonth', THIS_WEEK: 'thisweek', LAST_WEEK: 'lastweek', LAST_BUSINESS_WEEK: 'lastbusinessweek', ALL_TIME: 'alltime' }; /** * @param {string} dateRangeKey A standard date range key. * @param {goog.date.Date=} opt_today The date to consider today. * Defaults to today. * @return {goog.date.DateRange} The date range that corresponds to that key. * @throws {Error} If no standard date range with that key exists. */ goog.date.DateRange.standardDateRange = function(dateRangeKey, opt_today) { switch (dateRangeKey) { case goog.date.DateRange.StandardDateRangeKeys.YESTERDAY: return goog.date.DateRange.yesterday(opt_today); case goog.date.DateRange.StandardDateRangeKeys.TODAY: return goog.date.DateRange.today(opt_today); case goog.date.DateRange.StandardDateRangeKeys.LAST_7_DAYS: return goog.date.DateRange.last7Days(opt_today); case goog.date.DateRange.StandardDateRangeKeys.THIS_MONTH: return goog.date.DateRange.thisMonth(opt_today); case goog.date.DateRange.StandardDateRangeKeys.LAST_MONTH: return goog.date.DateRange.lastMonth(opt_today); case goog.date.DateRange.StandardDateRangeKeys.THIS_WEEK: return goog.date.DateRange.thisWeek(opt_today); case goog.date.DateRange.StandardDateRangeKeys.LAST_WEEK: return goog.date.DateRange.lastWeek(opt_today); case goog.date.DateRange.StandardDateRangeKeys.LAST_BUSINESS_WEEK: return goog.date.DateRange.lastBusinessWeek(opt_today); case goog.date.DateRange.StandardDateRangeKeys.ALL_TIME: return goog.date.DateRange.allTime(opt_today); default: throw Error('no such date range key: ' + dateRangeKey); } }; /** * Clones or creates new. * @param {goog.date.Date=} opt_today The date to consider today. * Defaults to today. * @return {!goog.date.Date} cloned or new. * @private */ goog.date.DateRange.cloneOrCreate_ = function(opt_today) { return opt_today ? opt_today.clone() : new goog.date.Date(); }; /** * Creates an iterator over the dates in a {@link goog.date.DateRange}. * @constructor * @extends {goog.iter.Iterator} * @param {goog.date.DateRange} dateRange The date range to iterate. */ goog.date.DateRange.Iterator = function(dateRange) { /** * The next date. * @type {goog.date.Date} * @private */ this.nextDate_ = dateRange.getStartDate().clone(); /** * The end date, expressed as an integer: YYYYMMDD. * @type {number} * @private */ this.endDate_ = Number(dateRange.getEndDate().toIsoString()); }; goog.inherits(goog.date.DateRange.Iterator, goog.iter.Iterator); /** @override */ goog.date.DateRange.Iterator.prototype.next = function() { if (Number(this.nextDate_.toIsoString()) > this.endDate_) { throw goog.iter.StopIteration; } var rv = this.nextDate_.clone(); this.nextDate_.add(new goog.date.Interval(goog.date.Interval.DAYS, 1)); return rv; };
JavaScript
// Copyright 2009 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Locale independent date/time class. * */ goog.provide('goog.date.UtcDateTime'); goog.require('goog.date'); goog.require('goog.date.Date'); goog.require('goog.date.DateTime'); goog.require('goog.date.Interval'); /** * Class representing a date/time in GMT+0 time zone, without daylight saving. * Defaults to current date and time if none is specified. The get... and the * getUTC... methods are equivalent. * * @param {number|Object=} opt_year Four digit UTC year or a date-like object. * If not set, the created object will contain the date determined by * goog.now(). * @param {number=} opt_month UTC month, 0 = Jan, 11 = Dec. * @param {number=} opt_date UTC date of month, 1 - 31. * @param {number=} opt_hours UTC hours, 0 - 23. * @param {number=} opt_minutes UTC minutes, 0 - 59. * @param {number=} opt_seconds UTC seconds, 0 - 59. * @param {number=} opt_milliseconds UTC milliseconds, 0 - 999. * @constructor * @extends {goog.date.DateTime} */ goog.date.UtcDateTime = function(opt_year, opt_month, opt_date, opt_hours, opt_minutes, opt_seconds, opt_milliseconds) { var timestamp; if (goog.isNumber(opt_year)) { timestamp = Date.UTC(opt_year, opt_month || 0, opt_date || 1, opt_hours || 0, opt_minutes || 0, opt_seconds || 0, opt_milliseconds || 0); } else { timestamp = opt_year ? opt_year.getTime() : goog.now(); } this.date_ = new Date(timestamp); }; goog.inherits(goog.date.UtcDateTime, goog.date.DateTime); /** * Creates a DateTime from a UTC datetime string expressed in ISO 8601 format. * * @param {string} formatted A date or datetime expressed in ISO 8601 format. * @return {goog.date.UtcDateTime} Parsed date or null if parse fails. */ goog.date.UtcDateTime.fromIsoString = function(formatted) { var ret = new goog.date.UtcDateTime(2000); return goog.date.setIso8601DateTime(ret, formatted) ? ret : null; }; /** * Clones the UtcDateTime object. * * @return {!goog.date.UtcDateTime} A clone of the datetime object. * @override */ goog.date.UtcDateTime.prototype.clone = function() { var date = new goog.date.UtcDateTime(this.date_); date.setFirstDayOfWeek(this.getFirstDayOfWeek()); date.setFirstWeekCutOffDay(this.getFirstWeekCutOffDay()); return date; }; /** @override */ goog.date.UtcDateTime.prototype.add = function(interval) { if (interval.years || interval.months) { var yearsMonths = new goog.date.Interval(interval.years, interval.months); goog.date.Date.prototype.add.call(this, yearsMonths); } var daysAndTimeMillis = 1000 * ( interval.seconds + 60 * ( interval.minutes + 60 * ( interval.hours + 24 * interval.days))); this.date_ = new Date(this.date_.getTime() + daysAndTimeMillis); }; /** @override */ goog.date.UtcDateTime.prototype.getTimezoneOffset = function() { return 0; }; /** @override */ goog.date.UtcDateTime.prototype.getFullYear = goog.date.DateTime.prototype.getUTCFullYear; /** @override */ goog.date.UtcDateTime.prototype.getMonth = goog.date.DateTime.prototype.getUTCMonth; /** @override */ goog.date.UtcDateTime.prototype.getDate = goog.date.DateTime.prototype.getUTCDate; /** @override */ goog.date.UtcDateTime.prototype.getHours = goog.date.DateTime.prototype.getUTCHours; /** @override */ goog.date.UtcDateTime.prototype.getMinutes = goog.date.DateTime.prototype.getUTCMinutes; /** @override */ goog.date.UtcDateTime.prototype.getSeconds = goog.date.DateTime.prototype.getUTCSeconds; /** @override */ goog.date.UtcDateTime.prototype.getMilliseconds = goog.date.DateTime.prototype.getUTCMilliseconds; /** @override */ goog.date.UtcDateTime.prototype.getDay = goog.date.DateTime.prototype.getUTCDay; /** @override */ goog.date.UtcDateTime.prototype.setFullYear = goog.date.DateTime.prototype.setUTCFullYear; /** @override */ goog.date.UtcDateTime.prototype.setMonth = goog.date.DateTime.prototype.setUTCMonth; /** @override */ goog.date.UtcDateTime.prototype.setDate = goog.date.DateTime.prototype.setUTCDate; /** @override */ goog.date.UtcDateTime.prototype.setHours = goog.date.DateTime.prototype.setUTCHours; /** @override */ goog.date.UtcDateTime.prototype.setMinutes = goog.date.DateTime.prototype.setUTCMinutes; /** @override */ goog.date.UtcDateTime.prototype.setSeconds = goog.date.DateTime.prototype.setUTCSeconds; /** @override */ goog.date.UtcDateTime.prototype.setMilliseconds = goog.date.DateTime.prototype.setUTCMilliseconds;
JavaScript
// Copyright 2009 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Functions for formatting relative dates. Such as "3 days ago" * "3 hours ago", "14 minutes ago", "12 days ago", "Today", "Yesterday". * */ goog.provide('goog.date.relative'); goog.require('goog.i18n.DateTimeFormat'); /** * Number of milliseconds in a minute. * @type {number} * @private */ goog.date.relative.MINUTE_MS_ = 60000; /** * Number of milliseconds in a day. * @type {number} * @private */ goog.date.relative.DAY_MS_ = 86400000; /** * Enumeration used to identify time units internally. * @enum {number} * @private */ goog.date.relative.Unit_ = { MINUTES: 0, HOURS: 1, DAYS: 2 }; /** * Full date formatter. * @type {goog.i18n.DateTimeFormat} * @private */ goog.date.relative.fullDateFormatter_; /** * Short time formatter. * @type {goog.i18n.DateTimeFormat} * @private */ goog.date.relative.shortTimeFormatter_; /** * Month-date formatter. * @type {goog.i18n.DateTimeFormat} * @private */ goog.date.relative.monthDateFormatter_; /** * Returns a date in month format, e.g. Mar 15. * @param {Date} date The date object. * @return {string} The formatted string. * @private */ goog.date.relative.formatMonth_ = function(date) { if (!goog.date.relative.monthDateFormatter_) { goog.date.relative.monthDateFormatter_ = new goog.i18n.DateTimeFormat('MMM dd'); } return goog.date.relative.monthDateFormatter_.format(date); }; /** * Returns a date in short-time format, e.g. 2:50 PM. * @param {Date|goog.date.DateTime} date The date object. * @return {string} The formatted string. * @private */ goog.date.relative.formatShortTime_ = function(date) { if (!goog.date.relative.shortTimeFormatter_) { goog.date.relative.shortTimeFormatter_ = new goog.i18n.DateTimeFormat( goog.i18n.DateTimeFormat.Format.SHORT_TIME); } return goog.date.relative.shortTimeFormatter_.format(date); }; /** * Returns a date in full date format, e.g. Tuesday, March 24, 2009. * @param {Date|goog.date.DateTime} date The date object. * @return {string} The formatted string. * @private */ goog.date.relative.formatFullDate_ = function(date) { if (!goog.date.relative.fullDateFormatter_) { goog.date.relative.fullDateFormatter_ = new goog.i18n.DateTimeFormat( goog.i18n.DateTimeFormat.Format.FULL_DATE); } return goog.date.relative.fullDateFormatter_.format(date); }; /** * Accepts a timestamp in milliseconds and outputs a relative time in the form * of "1 hour ago", "1 day ago", "in 1 hour", "in 2 days" etc. If the date * delta is over 2 weeks, then the output string will be empty. * @param {number} dateMs Date in milliseconds. * @return {string} The formatted date. */ goog.date.relative.format = function(dateMs) { var now = goog.now(); var delta = Math.floor((now - dateMs) / goog.date.relative.MINUTE_MS_); var future = false; if (delta < 0) { future = true; delta *= -1; } if (delta < 60) { // Minutes. return goog.date.relative.getMessage_( delta, future, goog.date.relative.Unit_.MINUTES); } else { delta = Math.floor(delta / 60); if (delta < 24) { // Hours. return goog.date.relative.getMessage_( delta, future, goog.date.relative.Unit_.HOURS); } else { // We can be more than 24 hours apart but still only 1 day apart, so we // compare the closest time from today against the target time to find // the number of days in the delta. var midnight = new Date(goog.now()); midnight.setHours(0); midnight.setMinutes(0); midnight.setSeconds(0); midnight.setMilliseconds(0); // Convert to days ago. delta = Math.ceil( (midnight.getTime() - dateMs) / goog.date.relative.DAY_MS_); if (future) { delta *= -1; } // Uses days for less than 2-weeks. if (delta < 14) { return goog.date.relative.getMessage_( delta, future, goog.date.relative.Unit_.DAYS); } else { // For messages older than 2 weeks do not show anything. The client // should decide the date format to show. return ''; } } } }; /** * Accepts a timestamp in milliseconds and outputs a relative time in the form * of "1 hour ago", "1 day ago". All future times will be returned as 0 minutes * ago. * * This is provided for compatibility with users of the previous incarnation of * the above {@see #format} method who relied on it protecting against * future dates. * * @param {number} dateMs Date in milliseconds. * @return {string} The formatted date. */ goog.date.relative.formatPast = function(dateMs) { var now = goog.now(); if (now < dateMs) { dateMs = now; } return goog.date.relative.format(dateMs); }; /** * Accepts a timestamp in milliseconds and outputs a relative day. i.e. "Today", * "Yesterday" or "Sept 15". * * @param {number} dateMs Date in milliseconds. * @param {!function(!Date):string=} opt_formatter Formatter for the date. * Defaults to form 'MMM dd'. * @return {string} The formatted date. */ goog.date.relative.formatDay = function(dateMs, opt_formatter) { var message; var today = new Date(goog.now()); today.setHours(0); today.setMinutes(0); today.setSeconds(0); today.setMilliseconds(0); var yesterday = new Date(today.getTime() - goog.date.relative.DAY_MS_); if (today.getTime() < dateMs) { /** @desc Today. */ var MSG_TODAY = goog.getMsg('Today'); message = MSG_TODAY; } else if (yesterday.getTime() < dateMs) { /** @desc Yesterday. */ var MSG_YESTERDAY = goog.getMsg('Yesterday'); message = MSG_YESTERDAY; } else { var formatFunction = opt_formatter || goog.date.relative.formatMonth_; message = formatFunction(new Date(dateMs)); } return message; }; /** * Formats a date, adding the relative date in parenthesis. If the date is less * than 24 hours then the time will be printed, otherwise the full-date will be * used. Examples: * 2:20 PM (1 minute ago) * Monday, February 27, 2009 (4 days ago) * Tuesday, March 20, 2005 // Too long ago for a relative date. * * @param {Date|goog.date.DateTime} date A date object. * @param {string=} opt_shortTimeMsg An optional short time message can be * provided if available, so that it's not recalculated in this function. * @param {string=} opt_fullDateMsg An optional date message can be * provided if available, so that it's not recalculated in this function. * @return {string} The date string in the above form. */ goog.date.relative.getDateString = function( date, opt_shortTimeMsg, opt_fullDateMsg) { return goog.date.relative.getDateString_( date, goog.date.relative.format, opt_shortTimeMsg, opt_fullDateMsg); }; /** * Formats a date, adding the relative date in parenthesis. Functions the same * as #getDateString but ensures that the date is always seen to be in the past. * If the date is in the future, it will be shown as 0 minutes ago. * * This is provided for compatibility with users of the previous incarnation of * the above {@see #getDateString} method who relied on it protecting against * future dates. * * @param {Date|goog.date.DateTime} date A date object. * @param {string=} opt_shortTimeMsg An optional short time message can be * provided if available, so that it's not recalculated in this function. * @param {string=} opt_fullDateMsg An optional date message can be * provided if available, so that it's not recalculated in this function. * @return {string} The date string in the above form. */ goog.date.relative.getPastDateString = function( date, opt_shortTimeMsg, opt_fullDateMsg) { return goog.date.relative.getDateString_( date, goog.date.relative.formatPast, opt_shortTimeMsg, opt_fullDateMsg); }; /** * Formats a date, adding the relative date in parenthesis. If the date is less * than 24 hours then the time will be printed, otherwise the full-date will be * used. Examples: * 2:20 PM (1 minute ago) * Monday, February 27, 2009 (4 days ago) * Tuesday, March 20, 2005 // Too long ago for a relative date. * * @param {Date|goog.date.DateTime} date A date object. * @param {function(number) : string} relativeFormatter Function to use when * formatting the relative date. * @param {string=} opt_shortTimeMsg An optional short time message can be * provided if available, so that it's not recalculated in this function. * @param {string=} opt_fullDateMsg An optional date message can be * provided if available, so that it's not recalculated in this function. * @return {string} The date string in the above form. * @private */ goog.date.relative.getDateString_ = function( date, relativeFormatter, opt_shortTimeMsg, opt_fullDateMsg) { var dateMs = date.getTime(); var relativeDate = relativeFormatter(dateMs); if (relativeDate) { relativeDate = ' (' + relativeDate + ')'; } var delta = Math.floor((goog.now() - dateMs) / goog.date.relative.MINUTE_MS_); if (delta < 60 * 24) { // TODO(user): this call raises an exception if date is a goog.date.Date. return (opt_shortTimeMsg || goog.date.relative.formatShortTime_(date)) + relativeDate; } else { return (opt_fullDateMsg || goog.date.relative.formatFullDate_(date)) + relativeDate; } }; /** * Gets a localized relative date string for a given delta and unit. * @param {number} delta Number of minutes/hours/days. * @param {boolean} future Whether the delta is in the future. * @param {goog.date.relative.Unit_} unit The units the delta is in. * @return {string} The message. * @private */ goog.date.relative.getMessage_ = function(delta, future, unit) { if (!future && unit == goog.date.relative.Unit_.MINUTES) { /** * @desc Relative date indicating how many minutes ago something happened * (singular). */ var MSG_MINUTES_AGO_SINGULAR = goog.getMsg('{$num} minute ago', {'num' : delta}); /** * @desc Relative date indicating how many minutes ago something happened * (plural). */ var MSG_MINUTES_AGO_PLURAL = goog.getMsg('{$num} minutes ago', {'num' : delta}); return delta == 1 ? MSG_MINUTES_AGO_SINGULAR : MSG_MINUTES_AGO_PLURAL; } else if (future && unit == goog.date.relative.Unit_.MINUTES) { /** * @desc Relative date indicating in how many minutes something happens * (singular). */ var MSG_IN_MINUTES_SINGULAR = goog.getMsg('in {$num} minute', {'num' : delta}); /** * @desc Relative date indicating in how many minutes something happens * (plural). */ var MSG_IN_MINUTES_PLURAL = goog.getMsg('in {$num} minutes', {'num' : delta}); return delta == 1 ? MSG_IN_MINUTES_SINGULAR : MSG_IN_MINUTES_PLURAL; } else if (!future && unit == goog.date.relative.Unit_.HOURS) { /** * @desc Relative date indicating how many hours ago something happened * (singular). */ var MSG_HOURS_AGO_SINGULAR = goog.getMsg('{$num} hour ago', {'num' : delta}); /** * @desc Relative date indicating how many hours ago something happened * (plural). */ var MSG_HOURS_AGO_PLURAL = goog.getMsg('{$num} hours ago', {'num' : delta}); return delta == 1 ? MSG_HOURS_AGO_SINGULAR : MSG_HOURS_AGO_PLURAL; } else if (future && unit == goog.date.relative.Unit_.HOURS) { /** * @desc Relative date indicating in how many hours something happens * (singular). */ var MSG_IN_HOURS_SINGULAR = goog.getMsg('in {$num} hour', {'num' : delta}); /** * @desc Relative date indicating in how many hours something happens * (plural). */ var MSG_IN_HOURS_PLURAL = goog.getMsg('in {$num} hours', {'num' : delta}); return delta == 1 ? MSG_IN_HOURS_SINGULAR : MSG_IN_HOURS_PLURAL; } else if (!future && unit == goog.date.relative.Unit_.DAYS) { /** * @desc Relative date indicating how many days ago something happened * (singular). */ var MSG_DAYS_AGO_SINGULAR = goog.getMsg('{$num} day ago', {'num' : delta}); /** * @desc Relative date indicating how many days ago something happened * (plural). */ var MSG_DAYS_AGO_PLURAL = goog.getMsg('{$num} days ago', {'num' : delta}); return delta == 1 ? MSG_DAYS_AGO_SINGULAR : MSG_DAYS_AGO_PLURAL; } else if (future && unit == goog.date.relative.Unit_.DAYS) { /** * @desc Relative date indicating in how many days something happens * (singular). */ var MSG_IN_DAYS_SINGULAR = goog.getMsg('in {$num} day', {'num' : delta}); /** * @desc Relative date indicating in how many days something happens * (plural). */ var MSG_IN_DAYS_PLURAL = goog.getMsg('in {$num} days', {'num' : delta}); return delta == 1 ? MSG_IN_DAYS_SINGULAR : MSG_IN_DAYS_PLURAL; } else { return ''; } };
JavaScript
// Copyright 2010 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Typedefs for working with dates. * * @author nicksantos@google.com (Nick Santos) */ goog.provide('goog.date.DateLike'); /** * @typedef {(Date|goog.date.Date)} */ goog.date.DateLike;
JavaScript
// Copyright 2006 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Functions and objects for date representation and manipulation. * * @author eae@google.com (Emil A Eklund) * @author pallosp@google.com (Peter Pallos) */ goog.provide('goog.date'); goog.provide('goog.date.Date'); goog.provide('goog.date.DateTime'); goog.provide('goog.date.Interval'); goog.provide('goog.date.month'); goog.provide('goog.date.weekDay'); goog.require('goog.asserts'); goog.require('goog.date.DateLike'); goog.require('goog.i18n.DateTimeSymbols'); goog.require('goog.string'); /** * Constants for weekdays. * @enum {number} */ goog.date.weekDay = { MON: 0, TUE: 1, WED: 2, THU: 3, FRI: 4, SAT: 5, SUN: 6 }; /** * Constants for months. * @enum {number} */ goog.date.month = { JAN: 0, FEB: 1, MAR: 2, APR: 3, MAY: 4, JUN: 5, JUL: 6, AUG: 7, SEP: 8, OCT: 9, NOV: 10, DEC: 11 }; /** * Formats a month/year string. * Example: "January 2008" * * @param {string} monthName The month name to use in the result. * @param {number} yearNum The numeric year to use in the result. * @return {string} A formatted month/year string. */ goog.date.formatMonthAndYear = function(monthName, yearNum) { /** @desc Month/year format given the month name and the numeric year. */ var MSG_MONTH_AND_YEAR = goog.getMsg( '{$monthName} {$yearNum}', { 'monthName' : monthName, 'yearNum' : yearNum }); return MSG_MONTH_AND_YEAR; }; /** * Regular expression for splitting date parts from ISO 8601 styled string. * Examples: '20060210' or '2005-02-22' or '20050222' or '2005-08' * or '2005-W22' or '2005W22' or '2005-W22-4', etc. * For explanation and more examples, see: * {@link http://en.wikipedia.org/wiki/ISO_8601} * * @type {RegExp} * @private */ goog.date.splitDateStringRegex_ = new RegExp( '^(\\d{4})(?:(?:-?(\\d{2})(?:-?(\\d{2}))?)|' + '(?:-?(\\d{3}))|(?:-?W(\\d{2})(?:-?([1-7]))?))?$'); /** * Regular expression for splitting time parts from ISO 8601 styled string. * Examples: '18:46:39.994' or '184639.994' * * @type {RegExp} * @private */ goog.date.splitTimeStringRegex_ = /^(\d{2})(?::?(\d{2})(?::?(\d{2})(\.\d+)?)?)?$/; /** * Regular expression for splitting timezone parts from ISO 8601 styled string. * Example: The part after the '+' in '18:46:39+07:00'. Or '09:30Z' (UTC). * * @type {RegExp} * @private */ goog.date.splitTimezoneStringRegex_ = /Z|(?:([-+])(\d{2})(?::?(\d{2}))?)$/; /** * Regular expression for splitting duration parts from ISO 8601 styled string. * Example: '-P1Y2M3DT4H5M6.7S' * * @type {RegExp} * @private */ goog.date.splitDurationRegex_ = new RegExp( '^(-)?P(?:(\\d+)Y)?(?:(\\d+)M)?(?:(\\d+)D)?' + '(T(?:(\\d+)H)?(?:(\\d+)M)?(?:(\\d+(?:\\.\\d+)?)S)?)?$'); /** * Returns whether the given year is a leap year. * * @param {number} year Year part of date. * @return {boolean} Whether the given year is a leap year. */ goog.date.isLeapYear = function(year) { // Leap year logic; the 4-100-400 rule return year % 4 == 0 && (year % 100 != 0 || year % 400 == 0); }; /** * Returns whether the given year is a long ISO year. * See {@link http://www.phys.uu.nl/~vgent/calendar/isocalendar_text3.htm}. * * @param {number} year Full year part of date. * @return {boolean} Whether the given year is a long ISO year. */ goog.date.isLongIsoYear = function(year) { var n = 5 * year + 12 - 4 * (Math.floor(year / 100) - Math.floor(year / 400)); n += Math.floor((year - 100) / 400) - Math.floor((year - 102) / 400); n += Math.floor((year - 200) / 400) - Math.floor((year - 199) / 400); return n % 28 < 5; }; /** * Returns the number of days for a given month. * * @param {number} year Year part of date. * @param {number} month Month part of date. * @return {number} The number of days for the given month. */ goog.date.getNumberOfDaysInMonth = function(year, month) { switch (month) { case goog.date.month.FEB: return goog.date.isLeapYear(year) ? 29 : 28; case goog.date.month.JUN: case goog.date.month.SEP: case goog.date.month.NOV: case goog.date.month.APR: return 30; } return 31; }; /** * Returns true if the 2 dates are in the same day. * @param {goog.date.DateLike} date The time to check. * @param {goog.date.DateLike=} opt_now The current time. * @return {boolean} Whether the dates are on the same day. */ goog.date.isSameDay = function(date, opt_now) { var now = opt_now || new Date(goog.now()); return date.getDate() == now.getDate() && goog.date.isSameMonth(date, now); }; /** * Returns true if the 2 dates are in the same month. * @param {goog.date.DateLike} date The time to check. * @param {goog.date.DateLike=} opt_now The current time. * @return {boolean} Whether the dates are in the same calendar month. */ goog.date.isSameMonth = function(date, opt_now) { var now = opt_now || new Date(goog.now()); return date.getMonth() == now.getMonth() && goog.date.isSameYear(date, now); }; /** * Returns true if the 2 dates are in the same year. * @param {goog.date.DateLike} date The time to check. * @param {goog.date.DateLike=} opt_now The current time. * @return {boolean} Whether the dates are in the same calendar year. */ goog.date.isSameYear = function(date, opt_now) { var now = opt_now || new Date(goog.now()); return date.getFullYear() == now.getFullYear(); }; /** * Static function for week number calculation. ISO 8601 implementation. * * @param {number} year Year part of date. * @param {number} month Month part of date (0-11). * @param {number} date Day part of date (1-31). * @param {number=} opt_weekDay Cut off weekday, defaults to Thursday. * @param {number=} opt_firstDayOfWeek First day of the week, defaults to * Monday. * Monday=0, Sunday=6. * @return {number} The week number (1-53). */ goog.date.getWeekNumber = function(year, month, date, opt_weekDay, opt_firstDayOfWeek) { var d = new Date(year, month, date); // Default to Thursday for cut off as per ISO 8601. var cutoff = opt_weekDay || goog.date.weekDay.THU; // Default to Monday for first day of the week as per ISO 8601. var firstday = opt_firstDayOfWeek || goog.date.weekDay.MON; // 1 day in milliseconds. var ONE_DAY = 24 * 60 * 60 * 1000; // The d.getDay() has to be converted first to ISO weekday (Monday=0). var isoday = (d.getDay() + 6) % 7; // Position of given day in the picker grid w.r.t. first day of week var daypos = (isoday - firstday + 7) % 7; // Position of cut off day in the picker grid w.r.t. first day of week var cutoffpos = (cutoff - firstday + 7) % 7; // Unix timestamp of the midnight of the cutoff day in the week of 'd'. // There might be +-1 hour shift in the result due to the daylight saving, // but it doesn't affect the year. var cutoffSameWeek = d.valueOf() + (cutoffpos - daypos) * ONE_DAY; // Unix timestamp of January 1 in the year of 'cutoffSameWeek'. var jan1 = new Date(new Date(cutoffSameWeek).getFullYear(), 0, 1).valueOf(); // Number of week. The round() eliminates the effect of daylight saving. return Math.floor(Math.round((cutoffSameWeek - jan1) / ONE_DAY) / 7) + 1; }; /** * Creates a DateTime from a datetime string expressed in ISO 8601 format. * * @param {string} formatted A date or datetime expressed in ISO 8601 format. * @return {goog.date.DateTime} Parsed date or null if parse fails. */ goog.date.fromIsoString = function(formatted) { var ret = new goog.date.DateTime(2000); return goog.date.setIso8601DateTime(ret, formatted) ? ret : null; }; /** * Parses a datetime string expressed in ISO 8601 format. Overwrites the date * and optionally the time part of the given object with the parsed values. * * @param {!goog.date.DateTime} dateTime Object whose fields will be set. * @param {string} formatted A date or datetime expressed in ISO 8601 format. * @return {boolean} Whether the parsing succeeded. */ goog.date.setIso8601DateTime = function(dateTime, formatted) { formatted = goog.string.trim(formatted); var delim = formatted.indexOf('T') == -1 ? ' ' : 'T'; var parts = formatted.split(delim); return goog.date.setIso8601DateOnly_(dateTime, parts[0]) && (parts.length < 2 || goog.date.setIso8601TimeOnly_(dateTime, parts[1])); }; /** * Sets date fields based on an ISO 8601 format string. * * @param {!goog.date.DateTime} d Object whose fields will be set. * @param {string} formatted A date expressed in ISO 8601 format. * @return {boolean} Whether the parsing succeeded. * @private */ goog.date.setIso8601DateOnly_ = function(d, formatted) { // split the formatted ISO date string into its date fields var parts = formatted.match(goog.date.splitDateStringRegex_); if (!parts) { return false; } var year = Number(parts[1]); var month = Number(parts[2]); var date = Number(parts[3]); var dayOfYear = Number(parts[4]); var week = Number(parts[5]); // ISO weekdays start with 1, native getDay() values start with 0 var dayOfWeek = Number(parts[6]) || 1; d.setFullYear(year); if (dayOfYear) { d.setDate(1); d.setMonth(0); var offset = dayOfYear - 1; // offset, so 1-indexed, i.e., skip day 1 d.add(new goog.date.Interval(goog.date.Interval.DAYS, offset)); } else if (week) { goog.date.setDateFromIso8601Week_(d, week, dayOfWeek); } else { if (month) { d.setDate(1); d.setMonth(month - 1); } if (date) { d.setDate(date); } } return true; }; /** * Sets date fields based on an ISO 8601 week string. * See {@link http://en.wikipedia.org/wiki/ISO_week_date}, "Relation with the * Gregorian Calendar". The first week of a new ISO year is the week with the * majority of its days in the new Gregorian year. I.e., ISO Week 1's Thursday * is in that year. ISO weeks always start on Monday. So ISO Week 1 can * contain a few days from the previous Gregorian year. And ISO weeks always * end on Sunday, so the last ISO week (Week 52 or 53) can have a few days from * the following Gregorian year. * Example: '1997-W01' lasts from 1996-12-30 to 1997-01-05. January 1, 1997 is * a Wednesday. So W01's Monday is Dec.30, 1996, and Sunday is January 5, 1997. * * @param {goog.date.DateTime} d Object whose fields will be set. * @param {number} week ISO week number. * @param {number} dayOfWeek ISO day of week. * @private */ goog.date.setDateFromIso8601Week_ = function(d, week, dayOfWeek) { // calculate offset for first week d.setMonth(0); d.setDate(1); var jsDay = d.getDay(); // switch Sunday (0) to index 7; ISO days are 1-indexed var jan1WeekDay = jsDay || 7; var THURSDAY = 4; if (jan1WeekDay <= THURSDAY) { // was extended back to Monday var startDelta = 1 - jan1WeekDay; // e.g., Thu(4) ==> -3 } else { // was extended forward to Monday startDelta = 8 - jan1WeekDay; // e.g., Fri(5) ==> +3 } // find the absolute number of days to offset from the start of year // to arrive close to the Gregorian equivalent (pending adjustments above) // Note: decrement week multiplier by one because 1st week is // represented by dayOfWeek value var absoluteDays = Number(dayOfWeek) + (7 * (Number(week) - 1)); // convert from ISO weekday format to Gregorian calendar date // note: subtract 1 because 1-indexed; offset should not include 1st of month var delta = startDelta + absoluteDays - 1; var interval = new goog.date.Interval(goog.date.Interval.DAYS, delta); d.add(interval); }; /** * Sets time fields based on an ISO 8601 format string. * Note: only time fields, not date fields. * * @param {!goog.date.DateTime} d Object whose fields will be set. * @param {string} formatted A time expressed in ISO 8601 format. * @return {boolean} Whether the parsing succeeded. * @private */ goog.date.setIso8601TimeOnly_ = function(d, formatted) { // first strip timezone info from the end var parts = formatted.match(goog.date.splitTimezoneStringRegex_); var offset = 0; // local time if no timezone info if (parts) { if (parts[0] != 'Z') { offset = parts[2] * 60 + Number(parts[3]); offset *= parts[1] == '-' ? 1 : -1; } offset -= d.getTimezoneOffset(); formatted = formatted.substr(0, formatted.length - parts[0].length); } // then work out the time parts = formatted.match(goog.date.splitTimeStringRegex_); if (!parts) { return false; } d.setHours(Number(parts[1])); d.setMinutes(Number(parts[2]) || 0); d.setSeconds(Number(parts[3]) || 0); d.setMilliseconds(parts[4] ? parts[4] * 1000 : 0); if (offset != 0) { // adjust the date and time according to the specified timezone d.setTime(d.getTime() + offset * 60000); } return true; }; /** * Class representing a date/time interval. Used for date calculations. * <pre> * new goog.date.Interval(0, 1) // One month * new goog.date.Interval(0, 0, 3, 1) // Three days and one hour * new goog.date.Interval(goog.date.Interval.DAYS, 1) // One day * </pre> * * @param {number|string=} opt_years Years or string representing date part. * @param {number=} opt_months Months or number of whatever date part specified * by first parameter. * @param {number=} opt_days Days. * @param {number=} opt_hours Hours. * @param {number=} opt_minutes Minutes. * @param {number=} opt_seconds Seconds. * @constructor */ goog.date.Interval = function(opt_years, opt_months, opt_days, opt_hours, opt_minutes, opt_seconds) { if (goog.isString(opt_years)) { var type = opt_years; var interval = /** @type {number} */ (opt_months); this.years = type == goog.date.Interval.YEARS ? interval : 0; this.months = type == goog.date.Interval.MONTHS ? interval : 0; this.days = type == goog.date.Interval.DAYS ? interval : 0; this.hours = type == goog.date.Interval.HOURS ? interval : 0; this.minutes = type == goog.date.Interval.MINUTES ? interval : 0; this.seconds = type == goog.date.Interval.SECONDS ? interval : 0; } else { this.years = /** @type {number} */ (opt_years) || 0; this.months = opt_months || 0; this.days = opt_days || 0; this.hours = opt_hours || 0; this.minutes = opt_minutes || 0; this.seconds = opt_seconds || 0; } }; /** * Parses an XML Schema duration (ISO 8601 extended). * @see http://www.w3.org/TR/xmlschema-2/#duration * * @param {string} duration An XML schema duration in textual format. * Recurring durations and weeks are not supported. * @return {goog.date.Interval} The duration as a goog.date.Interval or null * if the parse fails. */ goog.date.Interval.fromIsoString = function(duration) { var parts = duration.match(goog.date.splitDurationRegex_); if (!parts) { return null; } var timeEmpty = !(parts[6] || parts[7] || parts[8]); var dateTimeEmpty = timeEmpty && !(parts[2] || parts[3] || parts[4]); if (dateTimeEmpty || timeEmpty && parts[5]) { return null; } var negative = parts[1]; var years = parseInt(parts[2], 10) || 0; var months = parseInt(parts[3], 10) || 0; var days = parseInt(parts[4], 10) || 0; var hours = parseInt(parts[6], 10) || 0; var minutes = parseInt(parts[7], 10) || 0; var seconds = parseFloat(parts[8]) || 0; return negative ? new goog.date.Interval(-years, -months, -days, -hours, -minutes, -seconds) : new goog.date.Interval(years, months, days, hours, minutes, seconds); }; /** * Serializes goog.date.Interval into XML Schema duration (ISO 8601 extended). * @see http://www.w3.org/TR/xmlschema-2/#duration * * @param {boolean=} opt_verbose Include zero fields in the duration string. * @return {?string} An XML schema duration in ISO 8601 extended format, * or null if the interval contains both positive and negative fields. */ goog.date.Interval.prototype.toIsoString = function(opt_verbose) { var minField = Math.min(this.years, this.months, this.days, this.hours, this.minutes, this.seconds); var maxField = Math.max(this.years, this.months, this.days, this.hours, this.minutes, this.seconds); if (minField < 0 && maxField > 0) { return null; } // Return 0 seconds if all fields are zero. if (!opt_verbose && minField == 0 && maxField == 0) { return 'PT0S'; } var res = []; // Add sign and 'P' prefix. if (minField < 0) { res.push('-'); } res.push('P'); // Add date. if (this.years || opt_verbose) { res.push(Math.abs(this.years) + 'Y'); } if (this.months || opt_verbose) { res.push(Math.abs(this.months) + 'M'); } if (this.days || opt_verbose) { res.push(Math.abs(this.days) + 'D'); } // Add time. if (this.hours || this.minutes || this.seconds || opt_verbose) { res.push('T'); if (this.hours || opt_verbose) { res.push(Math.abs(this.hours) + 'H'); } if (this.minutes || opt_verbose) { res.push(Math.abs(this.minutes) + 'M'); } if (this.seconds || opt_verbose) { res.push(Math.abs(this.seconds) + 'S'); } } return res.join(''); }; /** * Tests whether the given interval is equal to this interval. * Note, this is a simple field-by-field comparison, it doesn't * account for comparisons like "12 months == 1 year". * * @param {goog.date.Interval} other The interval to test. * @return {boolean} Whether the intervals are equal. */ goog.date.Interval.prototype.equals = function(other) { return other.years == this.years && other.months == this.months && other.days == this.days && other.hours == this.hours && other.minutes == this.minutes && other.seconds == this.seconds; }; /** * @return {!goog.date.Interval} A clone of the interval object. */ goog.date.Interval.prototype.clone = function() { return new goog.date.Interval( this.years, this.months, this.days, this.hours, this.minutes, this.seconds); }; /** * Years constant for the date parts. * @type {string} */ goog.date.Interval.YEARS = 'y'; /** * Months constant for the date parts. * @type {string} */ goog.date.Interval.MONTHS = 'm'; /** * Days constant for the date parts. * @type {string} */ goog.date.Interval.DAYS = 'd'; /** * Hours constant for the date parts. * @type {string} */ goog.date.Interval.HOURS = 'h'; /** * Minutes constant for the date parts. * @type {string} */ goog.date.Interval.MINUTES = 'n'; /** * Seconds constant for the date parts. * @type {string} */ goog.date.Interval.SECONDS = 's'; /** * @return {boolean} Whether all fields of the interval are zero. */ goog.date.Interval.prototype.isZero = function() { return this.years == 0 && this.months == 0 && this.days == 0 && this.hours == 0 && this.minutes == 0 && this.seconds == 0; }; /** * @return {!goog.date.Interval} Negative of this interval. */ goog.date.Interval.prototype.getInverse = function() { return this.times(-1); }; /** * Calculates n * (this interval) by memberwise multiplication. * @param {number} n An integer. * @return {!goog.date.Interval} n * this. */ goog.date.Interval.prototype.times = function(n) { return new goog.date.Interval(this.years * n, this.months * n, this.days * n, this.hours * n, this.minutes * n, this.seconds * n); }; /** * Gets the total number of seconds in the time interval. Assumes that months * and years are empty. * @return {number} Total number of seconds in the interval. */ goog.date.Interval.prototype.getTotalSeconds = function() { goog.asserts.assert(this.years == 0 && this.months == 0); return ((this.days * 24 + this.hours) * 60 + this.minutes) * 60 + this.seconds; }; /** * Adds the Interval in the argument to this Interval field by field. * * @param {goog.date.Interval} interval The Interval to add. */ goog.date.Interval.prototype.add = function(interval) { this.years += interval.years; this.months += interval.months; this.days += interval.days; this.hours += interval.hours; this.minutes += interval.minutes; this.seconds += interval.seconds; }; /** * Class representing a date. Defaults to current date if none is specified. * * Implements most methods of the native js Date object (except the time related * ones, {@see goog.date.DateTime}) and can be used interchangeably with it just * as if goog.date.Date was a synonym of Date. To make this more transparent, * Closure APIs should accept goog.date.DateLike instead of the real Date * object. * * To allow goog.date.Date objects to be passed as arguments to methods * expecting Date objects this class is marked as extending the built in Date * object even though that's not strictly true. * * @param {number|Object=} opt_year Four digit year or a date-like object. If * not set, the created object will contain the date determined by * goog.now(). * @param {number=} opt_month Month, 0 = Jan, 11 = Dec. * @param {number=} opt_date Date of month, 1 - 31. * @constructor * @see goog.date.DateTime */ goog.date.Date = function(opt_year, opt_month, opt_date) { // goog.date.DateTime assumes that only this.date_ is added in this ctor. if (goog.isNumber(opt_year)) { this.date_ = new Date(opt_year, opt_month || 0, opt_date || 1); this.maybeFixDst_(opt_date || 1); } else if (goog.isObject(opt_year)) { this.date_ = new Date(opt_year.getFullYear(), opt_year.getMonth(), opt_year.getDate()); this.maybeFixDst_(opt_year.getDate()); } else { this.date_ = new Date(goog.now()); this.date_.setHours(0); this.date_.setMinutes(0); this.date_.setSeconds(0); this.date_.setMilliseconds(0); } }; /** * First day of week. 0 = Mon, 6 = Sun. * @type {number} * @private */ goog.date.Date.prototype.firstDayOfWeek_ = goog.i18n.DateTimeSymbols.FIRSTDAYOFWEEK; /** * The cut off weekday used for week number calculations. 0 = Mon, 6 = Sun. * @type {number} * @private */ goog.date.Date.prototype.firstWeekCutOffDay_ = goog.i18n.DateTimeSymbols.FIRSTWEEKCUTOFFDAY; /** * @return {!goog.date.Date} A clone of the date object. */ goog.date.Date.prototype.clone = function() { var date = new goog.date.Date(this.date_); date.firstDayOfWeek_ = this.firstDayOfWeek_; date.firstWeekCutOffDay_ = this.firstWeekCutOffDay_; return date; }; /** * @return {number} The four digit year of date. */ goog.date.Date.prototype.getFullYear = function() { return this.date_.getFullYear(); }; /** * Alias for getFullYear. * * @return {number} The four digit year of date. * @see #getFullyear */ goog.date.Date.prototype.getYear = function() { return this.getFullYear(); }; /** * @return {goog.date.month} The month of date, 0 = Jan, 11 = Dec. */ goog.date.Date.prototype.getMonth = function() { return /** @type {goog.date.month} */ (this.date_.getMonth()); }; /** * @return {number} The date of month. */ goog.date.Date.prototype.getDate = function() { return this.date_.getDate(); }; /** * Returns the number of milliseconds since 1 January 1970 00:00:00. * * @return {number} The number of milliseconds since 1 January 1970 00:00:00. */ goog.date.Date.prototype.getTime = function() { return this.date_.getTime(); }; /** * @return {goog.date.weekDay} The day of week, US style. 0 = Sun, 6 = Sat. */ goog.date.Date.prototype.getDay = function() { return /** @type {goog.date.weekDay} */ (this.date_.getDay()); }; /** * @return {number} The day of week, ISO style. 0 = Mon, 6 = Sun. */ goog.date.Date.prototype.getIsoWeekday = function() { return (this.getDay() + 6) % 7; }; /** * @return {number} The day of week according to firstDayOfWeek setting. */ goog.date.Date.prototype.getWeekday = function() { return (this.getIsoWeekday() - this.firstDayOfWeek_ + 7) % 7; }; /** * @return {number} The four digit year of date according to universal time. */ goog.date.Date.prototype.getUTCFullYear = function() { return this.date_.getUTCFullYear(); }; /** * @return {goog.date.month} The month of date according to universal time, * 0 = Jan, 11 = Dec. */ goog.date.Date.prototype.getUTCMonth = function() { return /** @type {goog.date.month} */ (this.date_.getUTCMonth()); }; /** * @return {number} The date of month according to universal time. */ goog.date.Date.prototype.getUTCDate = function() { return this.date_.getUTCDate(); }; /** * @return {goog.date.weekDay} The day of week according to universal time, * US style. 0 = Sun, 1 = Mon, 6 = Sat. */ goog.date.Date.prototype.getUTCDay = function() { return /** @type {goog.date.weekDay} */ (this.date_.getDay()); }; /** * @return {number} The hours value according to universal time. */ goog.date.Date.prototype.getUTCHours = function() { return this.date_.getUTCHours(); }; /** * @return {number} The hours value according to universal time. */ goog.date.Date.prototype.getUTCMinutes = function() { return this.date_.getUTCMinutes(); }; /** * @return {number} The day of week according to universal time, ISO style. * 0 = Mon, 6 = Sun. */ goog.date.Date.prototype.getUTCIsoWeekday = function() { return (this.date_.getUTCDay() + 6) % 7; }; /** * @return {number} The day of week according to universal time and * firstDayOfWeek setting. */ goog.date.Date.prototype.getUTCWeekday = function() { return (this.getUTCIsoWeekday() - this.firstDayOfWeek_ + 7) % 7; }; /** * @return {number} The first day of the week. 0 = Mon, 6 = Sun. */ goog.date.Date.prototype.getFirstDayOfWeek = function() { return this.firstDayOfWeek_; }; /** * @return {number} The cut off weekday used for week number calculations. * 0 = Mon, 6 = Sun. */ goog.date.Date.prototype.getFirstWeekCutOffDay = function() { return this.firstWeekCutOffDay_; }; /** * @return {number} The number of days for the selected month. */ goog.date.Date.prototype.getNumberOfDaysInMonth = function() { return goog.date.getNumberOfDaysInMonth(this.getFullYear(), this.getMonth()); }; /** * @return {number} The week number. */ goog.date.Date.prototype.getWeekNumber = function() { return goog.date.getWeekNumber( this.getFullYear(), this.getMonth(), this.getDate(), this.firstWeekCutOffDay_, this.firstDayOfWeek_); }; /** * @return {number} The day of year. */ goog.date.Date.prototype.getDayOfYear = function() { var dayOfYear = this.getDate(); var year = this.getFullYear(); for (var m = this.getMonth() - 1; m >= 0; m--) { dayOfYear += goog.date.getNumberOfDaysInMonth(year, m); } return dayOfYear; }; /** * Returns timezone offset. The timezone offset is the delta in minutes between * UTC and your local time. E.g., UTC+10 returns -600. Daylight savings time * prevents this value from being constant. * * @return {number} The timezone offset. */ goog.date.Date.prototype.getTimezoneOffset = function() { return this.date_.getTimezoneOffset(); }; /** * Returns timezone offset as a string. Returns offset in [+-]HH:mm format or Z * for UTC. * * @return {string} The timezone offset as a string. */ goog.date.Date.prototype.getTimezoneOffsetString = function() { var tz; var offset = this.getTimezoneOffset(); if (offset == 0) { tz = 'Z'; } else { var n = Math.abs(offset) / 60; var h = Math.floor(n); var m = (n - h) * 60; tz = (offset > 0 ? '-' : '+') + goog.string.padNumber(h, 2) + ':' + goog.string.padNumber(m, 2); } return tz; }; /** * Sets the date. * * @param {goog.date.Date} date Date object to set date from. */ goog.date.Date.prototype.set = function(date) { this.date_ = new Date(date.getFullYear(), date.getMonth(), date.getDate()); }; /** * Sets the year part of the date. * * @param {number} year Four digit year. */ goog.date.Date.prototype.setFullYear = function(year) { this.date_.setFullYear(year); }; /** * Alias for setFullYear. * * @param {number} year Four digit year. * @see #setFullYear */ goog.date.Date.prototype.setYear = function(year) { this.setFullYear(year); }; /** * Sets the month part of the date. * * TODO(nnaze): Update type to goog.date.month. * * @param {number} month The month, where 0 = Jan, 11 = Dec. */ goog.date.Date.prototype.setMonth = function(month) { this.date_.setMonth(month); }; /** * Sets the day part of the date. * * @param {number} date The day part. */ goog.date.Date.prototype.setDate = function(date) { this.date_.setDate(date); }; /** * Sets the value of the date object as expressed in the number of milliseconds * since 1 January 1970 00:00:00. * * @param {number} ms Number of milliseconds since 1 Jan 1970. */ goog.date.Date.prototype.setTime = function(ms) { this.date_.setTime(ms); }; /** * Sets the year part of the date according to universal time. * * @param {number} year Four digit year. */ goog.date.Date.prototype.setUTCFullYear = function(year) { this.date_.setUTCFullYear(year); }; /** * Sets the month part of the date according to universal time. * * @param {number} month The month, where 0 = Jan, 11 = Dec. */ goog.date.Date.prototype.setUTCMonth = function(month) { this.date_.setUTCMonth(month); }; /** * Sets the day part of the date according to universal time. * * @param {number} date The UTC date. */ goog.date.Date.prototype.setUTCDate = function(date) { this.date_.setUTCDate(date); }; /** * Sets the first day of week. * * @param {number} day 0 = Mon, 6 = Sun. */ goog.date.Date.prototype.setFirstDayOfWeek = function(day) { this.firstDayOfWeek_ = day; }; /** * Sets cut off weekday used for week number calculations. 0 = Mon, 6 = Sun. * * @param {number} day The cut off weekday. */ goog.date.Date.prototype.setFirstWeekCutOffDay = function(day) { this.firstWeekCutOffDay_ = day; }; /** * Performs date calculation by adding the supplied interval to the date. * * @param {goog.date.Interval} interval Date interval to add. */ goog.date.Date.prototype.add = function(interval) { if (interval.years || interval.months) { // As months have different number of days adding a month to Jan 31 by just // setting the month would result in a date in early March rather than Feb // 28 or 29. Doing it this way overcomes that problem. // adjust year and month, accounting for both directions var month = this.getMonth() + interval.months + interval.years * 12; var year = this.getYear() + Math.floor(month / 12); month %= 12; if (month < 0) { month += 12; } var daysInTargetMonth = goog.date.getNumberOfDaysInMonth(year, month); var date = Math.min(daysInTargetMonth, this.getDate()); // avoid inadvertently causing rollovers to adjacent months this.setDate(1); this.setFullYear(year); this.setMonth(month); this.setDate(date); } if (interval.days) { // Convert the days to milliseconds and add it to the UNIX timestamp. // Taking noon helps to avoid 1 day error due to the daylight saving. var noon = new Date(this.getYear(), this.getMonth(), this.getDate(), 12); var result = new Date(noon.getTime() + interval.days * 86400000); // Set date to 1 to prevent rollover caused by setting the year or month. this.setDate(1); this.setFullYear(result.getFullYear()); this.setMonth(result.getMonth()); this.setDate(result.getDate()); this.maybeFixDst_(result.getDate()); } }; /** * Returns ISO 8601 string representation of date. * * @param {boolean=} opt_verbose Whether the verbose format should be used * instead of the default compact one. * @param {boolean=} opt_tz Whether the timezone offset should be included * in the string. * @return {string} ISO 8601 string representation of date. */ goog.date.Date.prototype.toIsoString = function(opt_verbose, opt_tz) { var str = [ this.getFullYear(), goog.string.padNumber(this.getMonth() + 1, 2), goog.string.padNumber(this.getDate(), 2) ]; return str.join((opt_verbose) ? '-' : '') + (opt_tz ? this.getTimezoneOffsetString() : ''); }; /** * Returns ISO 8601 string representation of date according to universal time. * * @param {boolean=} opt_verbose Whether the verbose format should be used * instead of the default compact one. * @param {boolean=} opt_tz Whether the timezone offset should be included in * the string. * @return {string} ISO 8601 string representation of date according to * universal time. */ goog.date.Date.prototype.toUTCIsoString = function(opt_verbose, opt_tz) { var str = [ this.getUTCFullYear(), goog.string.padNumber(this.getUTCMonth() + 1, 2), goog.string.padNumber(this.getUTCDate(), 2) ]; return str.join((opt_verbose) ? '-' : '') + (opt_tz ? 'Z' : ''); }; /** * Tests whether given date is equal to this Date. * Note: This ignores units more precise than days (hours and below) * and also ignores timezone considerations. * * @param {goog.date.Date} other The date to compare. * @return {boolean} Whether the given date is equal to this one. */ goog.date.Date.prototype.equals = function(other) { return this.getYear() == other.getYear() && this.getMonth() == other.getMonth() && this.getDate() == other.getDate(); }; /** * Overloaded toString method for object. * @return {string} ISO 8601 string representation of date. * @override */ goog.date.Date.prototype.toString = function() { return this.toIsoString(); }; /** * Fixes date to account for daylight savings time in browsers that fail to do * so automatically. * @param {number} expected Expected date. * @private */ goog.date.Date.prototype.maybeFixDst_ = function(expected) { if (this.getDate() != expected) { var dir = this.getDate() < expected ? 1 : -1; this.date_.setUTCHours(this.date_.getUTCHours() + dir); } }; /** * @return {number} Value of wrapped date. * @override */ goog.date.Date.prototype.valueOf = function() { return this.date_.valueOf(); }; /** * Compares two dates. May be used as a sorting function. * @see goog.array.sort * @param {!goog.date.DateLike} date1 Date to compare. * @param {!goog.date.DateLike} date2 Date to compare. * @return {number} Comparison result. 0 if dates are the same, less than 0 if * date1 is earlier than date2, greater than 0 if date1 is later than date2. */ goog.date.Date.compare = function(date1, date2) { return date1.getTime() - date2.getTime(); }; /** * Class representing a date and time. Defaults to current date and time if none * is specified. * * Implements most methods of the native js Date object and can be used * interchangeably with it just as if goog.date.DateTime was a subclass of Date. * * @param {number|Object=} opt_year Four digit year or a date-like object. If * not set, the created object will contain the date determined by * goog.now(). * @param {number=} opt_month Month, 0 = Jan, 11 = Dec. * @param {number=} opt_date Date of month, 1 - 31. * @param {number=} opt_hours Hours, 0 - 24. * @param {number=} opt_minutes Minutes, 0 - 59. * @param {number=} opt_seconds Seconds, 0 - 61. * @param {number=} opt_milliseconds Milliseconds, 0 - 999. * @constructor * @extends {goog.date.Date} */ goog.date.DateTime = function(opt_year, opt_month, opt_date, opt_hours, opt_minutes, opt_seconds, opt_milliseconds) { if (goog.isNumber(opt_year)) { this.date_ = new Date(opt_year, opt_month || 0, opt_date || 1, opt_hours || 0, opt_minutes || 0, opt_seconds || 0, opt_milliseconds || 0); } else { this.date_ = new Date(opt_year ? opt_year.getTime() : goog.now()); } }; goog.inherits(goog.date.DateTime, goog.date.Date); /** * Creates a DateTime from a datetime string expressed in RFC 822 format. * * @param {string} formatted A date or datetime expressed in RFC 822 format. * @return {goog.date.DateTime} Parsed date or null if parse fails. */ goog.date.DateTime.fromRfc822String = function(formatted) { var date = new Date(formatted); return !isNaN(date.getTime()) ? new goog.date.DateTime(date) : null; }; /** * Returns the hours part of the datetime. * * @return {number} An integer between 0 and 23, representing the hour. */ goog.date.DateTime.prototype.getHours = function() { return this.date_.getHours(); }; /** * Returns the minutes part of the datetime. * * @return {number} An integer between 0 and 59, representing the minutes. */ goog.date.DateTime.prototype.getMinutes = function() { return this.date_.getMinutes(); }; /** * Returns the seconds part of the datetime. * * @return {number} An integer between 0 and 59, representing the seconds. */ goog.date.DateTime.prototype.getSeconds = function() { return this.date_.getSeconds(); }; /** * Returns the milliseconds part of the datetime. * * @return {number} An integer between 0 and 999, representing the milliseconds. */ goog.date.DateTime.prototype.getMilliseconds = function() { return this.date_.getMilliseconds(); }; /** * Returns the day of week according to universal time, US style. * * @return {goog.date.weekDay} Day of week, 0 = Sun, 1 = Mon, 6 = Sat. * @override */ goog.date.DateTime.prototype.getUTCDay = function() { return /** @type {goog.date.weekDay} */ (this.date_.getUTCDay()); }; /** * Returns the hours part of the datetime according to universal time. * * @return {number} An integer between 0 and 23, representing the hour. * @override */ goog.date.DateTime.prototype.getUTCHours = function() { return this.date_.getUTCHours(); }; /** * Returns the minutes part of the datetime according to universal time. * * @return {number} An integer between 0 and 59, representing the minutes. * @override */ goog.date.DateTime.prototype.getUTCMinutes = function() { return this.date_.getUTCMinutes(); }; /** * Returns the seconds part of the datetime according to universal time. * * @return {number} An integer between 0 and 59, representing the seconds. */ goog.date.DateTime.prototype.getUTCSeconds = function() { return this.date_.getUTCSeconds(); }; /** * Returns the milliseconds part of the datetime according to universal time. * * @return {number} An integer between 0 and 999, representing the milliseconds. */ goog.date.DateTime.prototype.getUTCMilliseconds = function() { return this.date_.getUTCMilliseconds(); }; /** * Sets the hours part of the datetime. * * @param {number} hours An integer between 0 and 23, representing the hour. */ goog.date.DateTime.prototype.setHours = function(hours) { this.date_.setHours(hours); }; /** * Sets the minutes part of the datetime. * * @param {number} minutes Integer between 0 and 59, representing the minutes. */ goog.date.DateTime.prototype.setMinutes = function(minutes) { this.date_.setMinutes(minutes); }; /** * Sets the seconds part of the datetime. * * @param {number} seconds Integer between 0 and 59, representing the seconds. */ goog.date.DateTime.prototype.setSeconds = function(seconds) { this.date_.setSeconds(seconds); }; /** * Sets the seconds part of the datetime. * * @param {number} ms Integer between 0 and 999, representing the milliseconds. */ goog.date.DateTime.prototype.setMilliseconds = function(ms) { this.date_.setMilliseconds(ms); }; /** * Sets the hours part of the datetime according to universal time. * * @param {number} hours An integer between 0 and 23, representing the hour. */ goog.date.DateTime.prototype.setUTCHours = function(hours) { this.date_.setUTCHours(hours); }; /** * Sets the minutes part of the datetime according to universal time. * * @param {number} minutes Integer between 0 and 59, representing the minutes. */ goog.date.DateTime.prototype.setUTCMinutes = function(minutes) { this.date_.setUTCMinutes(minutes); }; /** * Sets the seconds part of the datetime according to universal time. * * @param {number} seconds Integer between 0 and 59, representing the seconds. */ goog.date.DateTime.prototype.setUTCSeconds = function(seconds) { this.date_.setUTCSeconds(seconds); }; /** * Sets the seconds part of the datetime according to universal time. * * @param {number} ms Integer between 0 and 999, representing the milliseconds. */ goog.date.DateTime.prototype.setUTCMilliseconds = function(ms) { this.date_.setUTCMilliseconds(ms); }; /** * Performs date calculation by adding the supplied interval to the date. * * @param {goog.date.Interval} interval Date interval to add. * @override */ goog.date.DateTime.prototype.add = function(interval) { goog.date.Date.prototype.add.call(this, interval); if (interval.hours) { this.setHours(this.date_.getHours() + interval.hours); } if (interval.minutes) { this.setMinutes(this.date_.getMinutes() + interval.minutes); } if (interval.seconds) { this.setSeconds(this.date_.getSeconds() + interval.seconds); } }; /** * Returns ISO 8601 string representation of date/time. * * @param {boolean=} opt_verbose Whether the verbose format should be used * instead of the default compact one. * @param {boolean=} opt_tz Whether the timezone offset should be included * in the string. * @return {string} ISO 8601 string representation of date/time. * @override */ goog.date.DateTime.prototype.toIsoString = function(opt_verbose, opt_tz) { var dateString = goog.date.Date.prototype.toIsoString.call(this, opt_verbose); if (opt_verbose) { return dateString + ' ' + goog.string.padNumber(this.getHours(), 2) + ':' + goog.string.padNumber(this.getMinutes(), 2) + ':' + goog.string.padNumber(this.getSeconds(), 2) + (opt_tz ? this.getTimezoneOffsetString() : ''); } return dateString + 'T' + goog.string.padNumber(this.getHours(), 2) + goog.string.padNumber(this.getMinutes(), 2) + goog.string.padNumber(this.getSeconds(), 2) + (opt_tz ? this.getTimezoneOffsetString() : ''); }; /** * Returns XML Schema 2 string representation of date/time. * The return value is also ISO 8601 compliant. * * @param {boolean=} opt_timezone Should the timezone offset be included in the * string?. * @return {string} XML Schema 2 string representation of date/time. */ goog.date.DateTime.prototype.toXmlDateTime = function(opt_timezone) { return goog.date.Date.prototype.toIsoString.call(this, true) + 'T' + goog.string.padNumber(this.getHours(), 2) + ':' + goog.string.padNumber(this.getMinutes(), 2) + ':' + goog.string.padNumber(this.getSeconds(), 2) + (opt_timezone ? this.getTimezoneOffsetString() : ''); }; /** * Returns ISO 8601 string representation of date/time according to universal * time. * * @param {boolean=} opt_verbose Whether the opt_verbose format should be * returned instead of the default compact one. * @param {boolean=} opt_tz Whether the the timezone offset should be included * in the string. * @return {string} ISO 8601 string representation of date/time according to * universal time. * @override */ goog.date.DateTime.prototype.toUTCIsoString = function(opt_verbose, opt_tz) { var dateStr = goog.date.Date.prototype.toUTCIsoString.call(this, opt_verbose); if (opt_verbose) { return dateStr + ' ' + goog.string.padNumber(this.getUTCHours(), 2) + ':' + goog.string.padNumber(this.getUTCMinutes(), 2) + ':' + goog.string.padNumber(this.getUTCSeconds(), 2) + (opt_tz ? 'Z' : ''); } return dateStr + 'T' + goog.string.padNumber(this.getUTCHours(), 2) + goog.string.padNumber(this.getUTCMinutes(), 2) + goog.string.padNumber(this.getUTCSeconds(), 2) + (opt_tz ? 'Z' : ''); }; /** * Tests whether given datetime is exactly equal to this DateTime. * * @param {goog.date.Date} other The datetime to compare. * @return {boolean} Whether the given datetime is exactly equal to this one. * @override */ goog.date.DateTime.prototype.equals = function(other) { return this.getTime() == other.getTime(); }; /** * Overloaded toString method for object. * @return {string} ISO 8601 string representation of date/time. * @override */ goog.date.DateTime.prototype.toString = function() { return this.toIsoString(); }; /** * Generates time label for the datetime, e.g., '5:30am'. * By default this does not pad hours (e.g., to '05:30') and it does add * an am/pm suffix. * TODO(user): i18n -- hardcoding time format like this is bad. E.g., in CJK * locales, need Chinese characters for hour and minute units. * @param {boolean=} opt_padHours Whether to pad hours, e.g., '05:30' vs '5:30'. * @param {boolean=} opt_showAmPm Whether to show the 'am' and 'pm' suffix. * @param {boolean=} opt_omitZeroMinutes E.g., '5:00pm' becomes '5pm', * but '5:01pm' remains '5:01pm'. * @return {string} The time label. */ goog.date.DateTime.prototype.toUsTimeString = function(opt_padHours, opt_showAmPm, opt_omitZeroMinutes) { var hours = this.getHours(); // show am/pm marker by default if (!goog.isDef(opt_showAmPm)) { opt_showAmPm = true; } // 12pm var isPM = hours == 12; // change from 1-24 to 1-12 basis if (hours > 12) { hours -= 12; isPM = true; } // midnight is expressed as "12am", but if am/pm marker omitted, keep as '0' if (hours == 0 && opt_showAmPm) { hours = 12; } var label = opt_padHours ? goog.string.padNumber(hours, 2) : String(hours); var minutes = this.getMinutes(); if (!opt_omitZeroMinutes || minutes > 0) { label += ':' + goog.string.padNumber(minutes, 2); } // by default, show am/pm suffix if (opt_showAmPm) { /** * @desc Suffix for morning times. */ var MSG_TIME_AM = goog.getMsg('am'); /** * @desc Suffix for afternoon times. */ var MSG_TIME_PM = goog.getMsg('pm'); label += isPM ? MSG_TIME_PM : MSG_TIME_AM; } return label; }; /** * Generates time label for the datetime in standard ISO 24-hour time format. * E.g., '06:00:00' or '23:30:15'. * @param {boolean=} opt_showSeconds Whether to shows seconds. Defaults to TRUE. * @return {string} The time label. */ goog.date.DateTime.prototype.toIsoTimeString = function(opt_showSeconds) { var hours = this.getHours(); var label = goog.string.padNumber(hours, 2) + ':' + goog.string.padNumber(this.getMinutes(), 2); if (!goog.isDef(opt_showSeconds) || opt_showSeconds) { label += ':' + goog.string.padNumber(this.getSeconds(), 2); } return label; }; /** * @return {!goog.date.DateTime} A clone of the datetime object. * @override */ goog.date.DateTime.prototype.clone = function() { var date = new goog.date.DateTime(this.date_); date.setFirstDayOfWeek(this.getFirstDayOfWeek()); date.setFirstWeekCutOffDay(this.getFirstWeekCutOffDay()); return date; };
JavaScript
// Copyright 2007 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Protocol buffer serializer. * @author arv@google.com (Erik Arvidsson) */ // TODO(arv): Serialize booleans as 0 and 1 goog.provide('goog.proto.Serializer'); goog.require('goog.json.Serializer'); goog.require('goog.string'); /** * Object that can serialize objects or values to a protocol buffer string. * @constructor * @extends {goog.json.Serializer} */ goog.proto.Serializer = function() { goog.json.Serializer.call(this); }; goog.inherits(goog.proto.Serializer, goog.json.Serializer); /** * Serializes an array to a protocol buffer string. This overrides the JSON * method to output empty slots when the value is null or undefined. * @param {Array} arr The array to serialize. * @param {Array} sb Array used as a string builder. * @override */ goog.proto.Serializer.prototype.serializeArray = function(arr, sb) { var l = arr.length; sb.push('['); var emptySlots = 0; var sep = ''; for (var i = 0; i < l; i++) { if (arr[i] == null) { // catches undefined as well emptySlots++; } else { if (emptySlots > 0) { sb.push(goog.string.repeat(',', emptySlots)); emptySlots = 0; } sb.push(sep); this.serialize_(arr[i], sb); sep = ','; } } sb.push(']'); };
JavaScript
// Copyright 2007 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Protocol buffer serializer. * @author arv@google.com (Erik Arvidsson) */ goog.provide('goog.proto'); goog.require('goog.proto.Serializer'); /** * Instance of the serializer object. * @type {goog.proto.Serializer} * @private */ goog.proto.serializer_ = null; /** * Serializes an object or a value to a protocol buffer string. * @param {Object} object The object to serialize. * @return {string} The serialized protocol buffer string. */ goog.proto.serialize = function(object) { if (!goog.proto.serializer_) { goog.proto.serializer_ = new goog.proto.Serializer; } return goog.proto.serializer_.serialize(object); };
JavaScript
// Copyright 2006 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Easing functions for animations. * */ goog.provide('goog.fx.easing'); /** * Ease in - Start slow and speed up. * @param {number} t Input between 0 and 1. * @return {number} Output between 0 and 1. */ goog.fx.easing.easeIn = function(t) { return t * t * t; }; /** * Ease out - Start fastest and slows to a stop. * @param {number} t Input between 0 and 1. * @return {number} Output between 0 and 1. */ goog.fx.easing.easeOut = function(t) { return 1 - Math.pow(1 - t, 3); }; /** * Ease in and out - Start slow, speed up, then slow down. * @param {number} t Input between 0 and 1. * @return {number} Output between 0 and 1. */ goog.fx.easing.inAndOut = function(t) { return 3 * t * t - 2 * t * t * t; };
JavaScript
// Copyright 2006 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Multiple Element Drag and Drop. * * Drag and drop implementation for sources/targets consisting of multiple * elements. * * @author eae@google.com (Emil A Eklund) * @see ../demos/dragdrop.html */ goog.provide('goog.fx.DragDropGroup'); goog.require('goog.dom'); goog.require('goog.fx.AbstractDragDrop'); goog.require('goog.fx.DragDropItem'); /** * Drag/drop implementation for creating drag sources/drop targets consisting of * multiple HTML Elements (items). All items share the same drop target(s) but * can be dragged individually. * * @extends {goog.fx.AbstractDragDrop} * @constructor */ goog.fx.DragDropGroup = function() { goog.fx.AbstractDragDrop.call(this); }; goog.inherits(goog.fx.DragDropGroup, goog.fx.AbstractDragDrop); /** * Add item to drag object. * * @param {Element|string} element Dom Node, or string representation of node * id, to be used as drag source/drop target. * @param {Object=} opt_data Data associated with the source/target. * @throws Error If no element argument is provided or if the type is * invalid * @override */ goog.fx.DragDropGroup.prototype.addItem = function(element, opt_data) { var item = new goog.fx.DragDropItem(element, opt_data); this.addDragDropItem(item); }; /** * Add DragDropItem to drag object. * * @param {goog.fx.DragDropItem} item DragDropItem being added to the * drag object. * @throws Error If no element argument is provided or if the type is * invalid */ goog.fx.DragDropGroup.prototype.addDragDropItem = function(item) { item.setParent(this); this.items_.push(item); if (this.isInitialized()) { this.initItem(item); } }; /** * Remove item from drag object. * * @param {Element|string} element Dom Node, or string representation of node * id, that was previously added with addItem(). */ goog.fx.DragDropGroup.prototype.removeItem = function(element) { element = goog.dom.getElement(element); for (var item, i = 0; item = this.items_[i]; i++) { if (item.element == element) { this.items_.splice(i, 1); this.disposeItem(item); break; } } }; /** * Marks the supplied list of items as selected. A drag operation for any of the * selected items will affect all of them. * * @param {Array.<goog.fx.DragDropItem>} list List of items to select or null to * clear selection. * * TODO(eae): Not yet implemented. */ goog.fx.DragDropGroup.prototype.setSelection = function(list) { };
JavaScript
// Copyright 2011 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview An interface for transition animation. This is a simple * interface that allows for playing and stopping a transition. It adds * a simple event model with BEGIN and END event. * */ goog.provide('goog.fx.Transition'); goog.provide('goog.fx.Transition.EventType'); /** * An interface for programmatic transition. Must extend * {@code goog.events.EventTarget}. * @interface */ goog.fx.Transition = function() {}; /** * Transition event types. * @enum {string} */ goog.fx.Transition.EventType = { /** Dispatched when played for the first time OR when it is resumed. */ PLAY: 'play', /** Dispatched only when the animation starts from the beginning. */ BEGIN: 'begin', /** Dispatched only when animation is restarted after a pause. */ RESUME: 'resume', /** * Dispatched when animation comes to the end of its duration OR stop * is called. */ END: 'end', /** Dispatched only when stop is called. */ STOP: 'stop', /** Dispatched only when animation comes to its end naturally. */ FINISH: 'finish', /** Dispatched when an animation is paused. */ PAUSE: 'pause' }; /** * Plays the transition. */ goog.fx.Transition.prototype.play; /** * Stops the transition. */ goog.fx.Transition.prototype.stop;
JavaScript
// Copyright 2010 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Legacy stub for the goog.fx namespace. Requires the moved * namespaces. Animation and easing have been moved to animation.js and * easing.js. Users of this stub should move off so we may remove it in the * future. * * @author nnaze@google.com (Nathan Naze) */ goog.provide('goog.fx'); goog.require('goog.asserts'); goog.require('goog.fx.Animation'); goog.require('goog.fx.Animation.EventType'); goog.require('goog.fx.Animation.State'); goog.require('goog.fx.AnimationEvent'); goog.require('goog.fx.Transition.EventType'); goog.require('goog.fx.easing');
JavaScript
// Copyright 2006 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Abstract Base Class for Drag and Drop. * * Provides functionality for implementing drag and drop classes. Also provides * support classes and events. * * @author eae@google.com (Emil A Eklund) */ goog.provide('goog.fx.AbstractDragDrop'); goog.provide('goog.fx.AbstractDragDrop.EventType'); goog.provide('goog.fx.DragDropEvent'); goog.provide('goog.fx.DragDropItem'); goog.require('goog.dom'); goog.require('goog.dom.classes'); goog.require('goog.events'); goog.require('goog.events.Event'); goog.require('goog.events.EventHandler'); goog.require('goog.events.EventTarget'); goog.require('goog.events.EventType'); goog.require('goog.fx.Dragger'); goog.require('goog.fx.Dragger.EventType'); goog.require('goog.math.Box'); goog.require('goog.math.Coordinate'); goog.require('goog.style'); /** * Abstract class that provides reusable functionality for implementing drag * and drop functionality. * * This class also allows clients to define their own subtargeting function * so that drop areas can have finer granularity then a singe element. This is * accomplished by using a client provided function to map from element and * coordinates to a subregion id. * * This class can also be made aware of scrollable containers that contain * drop targets by calling addScrollableContainer. This will cause dnd to * take changing scroll positions into account while a drag is occuring. * * @extends {goog.events.EventTarget} * @constructor */ goog.fx.AbstractDragDrop = function() { goog.base(this); /** * List of items that makes up the drag source or drop target. * @type {Array.<goog.fx.DragDropItem>} * @protected * @suppress {underscore} */ this.items_ = []; /** * List of associated drop targets. * @type {Array.<goog.fx.AbstractDragDrop>} * @private */ this.targets_ = []; /** * Scrollable containers to account for during drag * @type {Array.<goog.fx.ScrollableContainer_>} * @private */ this.scrollableContainers_ = []; }; goog.inherits(goog.fx.AbstractDragDrop, goog.events.EventTarget); /** * Minimum size (in pixels) for a dummy target. If the box for the target is * less than the specified size it's not created. * @type {number} * @private */ goog.fx.AbstractDragDrop.DUMMY_TARGET_MIN_SIZE_ = 10; /** * Flag indicating if it's a drag source, set by addTarget. * @type {boolean} * @private */ goog.fx.AbstractDragDrop.prototype.isSource_ = false; /** * Flag indicating if it's a drop target, set when added as target to another * DragDrop object. * @type {boolean} * @private */ goog.fx.AbstractDragDrop.prototype.isTarget_ = false; /** * Subtargeting function accepting args: * (Element, goog.math.Box, number, number) * @type {Function} * @private */ goog.fx.AbstractDragDrop.prototype.subtargetFunction_; /** * Last active subtarget. * @type {Object} * @private */ goog.fx.AbstractDragDrop.prototype.activeSubtarget_; /** * Class name to add to source elements being dragged. Set by setDragClass. * @type {?string} * @private */ goog.fx.AbstractDragDrop.prototype.dragClass_; /** * Class name to add to source elements. Set by setSourceClass. * @type {?string} * @private */ goog.fx.AbstractDragDrop.prototype.sourceClass_; /** * Class name to add to target elements. Set by setTargetClass. * @type {?string} * @private */ goog.fx.AbstractDragDrop.prototype.targetClass_; /** * The SCROLL event target used to make drag element follow scrolling. * @type {EventTarget} * @private */ goog.fx.AbstractDragDrop.prototype.scrollTarget_; /** * Dummy target, {@see maybeCreateDummyTargetForPosition_}. * @type {goog.fx.ActiveDropTarget_} * @private */ goog.fx.AbstractDragDrop.prototype.dummyTarget_; /** * Whether the object has been initialized. * @type {boolean} * @private */ goog.fx.AbstractDragDrop.prototype.initialized_ = false; /** * Constants for event names * @type {Object} */ goog.fx.AbstractDragDrop.EventType = { DRAGOVER: 'dragover', DRAGOUT: 'dragout', DRAG: 'drag', DROP: 'drop', DRAGSTART: 'dragstart', DRAGEND: 'dragend' }; /** * Constant for distance threshold, in pixels, an element has to be moved to * initiate a drag operation. * @type {number} */ goog.fx.AbstractDragDrop.initDragDistanceThreshold = 5; /** * Set class to add to source elements being dragged. * * @param {string} className Class to be added. */ goog.fx.AbstractDragDrop.prototype.setDragClass = function(className) { this.dragClass_ = className; }; /** * Set class to add to source elements. * * @param {string} className Class to be added. */ goog.fx.AbstractDragDrop.prototype.setSourceClass = function(className) { this.sourceClass_ = className; }; /** * Set class to add to target elements. * * @param {string} className Class to be added. */ goog.fx.AbstractDragDrop.prototype.setTargetClass = function(className) { this.targetClass_ = className; }; /** * Whether the control has been initialized. * * @return {boolean} True if it's been initialized. */ goog.fx.AbstractDragDrop.prototype.isInitialized = function() { return this.initialized_; }; /** * Add item to drag object. * * @param {Element|string} element Dom Node, or string representation of node * id, to be used as drag source/drop target. * @throws Error Thrown if called on instance of abstract class */ goog.fx.AbstractDragDrop.prototype.addItem = goog.abstractMethod; /** * Associate drop target with drag element. * * @param {goog.fx.AbstractDragDrop} target Target to add. */ goog.fx.AbstractDragDrop.prototype.addTarget = function(target) { this.targets_.push(target); target.isTarget_ = true; this.isSource_ = true; }; /** * Sets the SCROLL event target to make drag element follow scrolling. * * @param {EventTarget} scrollTarget The element that dispatches SCROLL events. */ goog.fx.AbstractDragDrop.prototype.setScrollTarget = function(scrollTarget) { this.scrollTarget_ = scrollTarget; }; /** * Initialize drag and drop functionality for sources/targets already added. * Sources/targets added after init has been called will initialize themselves * one by one. */ goog.fx.AbstractDragDrop.prototype.init = function() { if (this.initialized_) { return; } for (var item, i = 0; item = this.items_[i]; i++) { this.initItem(item); } this.initialized_ = true; }; /** * Initializes a single item. * * @param {goog.fx.DragDropItem} item Item to initialize. * @protected */ goog.fx.AbstractDragDrop.prototype.initItem = function(item) { if (this.isSource_) { goog.events.listen(item.element, goog.events.EventType.MOUSEDOWN, item.mouseDown_, false, item); if (this.sourceClass_) { goog.dom.classes.add(item.element, this.sourceClass_); } } if (this.isTarget_ && this.targetClass_) { goog.dom.classes.add(item.element, this.targetClass_); } }; /** * Called when removing an item. Removes event listeners and classes. * * @param {goog.fx.DragDropItem} item Item to dispose. * @protected */ goog.fx.AbstractDragDrop.prototype.disposeItem = function(item) { if (this.isSource_) { goog.events.unlisten(item.element, goog.events.EventType.MOUSEDOWN, item.mouseDown_, false, item); if (this.sourceClass_) { goog.dom.classes.remove(item.element, this.sourceClass_); } } if (this.isTarget_ && this.targetClass_) { goog.dom.classes.remove(item.element, this.targetClass_); } item.dispose(); }; /** * Removes all items. */ goog.fx.AbstractDragDrop.prototype.removeItems = function() { for (var item, i = 0; item = this.items_[i]; i++) { this.disposeItem(item); } this.items_.length = 0; }; /** * Starts a drag event for an item if the mouse button stays pressed and the * cursor moves a few pixels. Allows dragging of items without first having to * register them with addItem. * * @param {goog.events.BrowserEvent} event Mouse down event. * @param {goog.fx.DragDropItem} item Item that's being dragged. */ goog.fx.AbstractDragDrop.prototype.maybeStartDrag = function(event, item) { item.maybeStartDrag_(event, item.element); }; /** * Event handler that's used to start drag. * * @param {goog.events.BrowserEvent} event Mouse move event. * @param {goog.fx.DragDropItem} item Item that's being dragged. */ goog.fx.AbstractDragDrop.prototype.startDrag = function(event, item) { // Prevent a new drag operation from being started if another one is already // in progress (could happen if the mouse was released outside of the // document). if (this.dragItem_) { return; } this.dragItem_ = item; // Dispatch DRAGSTART event var dragStartEvent = new goog.fx.DragDropEvent( goog.fx.AbstractDragDrop.EventType.DRAGSTART, this, this.dragItem_); if (this.dispatchEvent(dragStartEvent) == false) { this.dragItem_ = null; return; } // Get the source element and create a drag element for it. var el = item.getCurrentDragElement(); this.dragEl_ = this.createDragElement(el); var doc = goog.dom.getOwnerDocument(el); doc.body.appendChild(this.dragEl_); this.dragger_ = this.createDraggerFor(el, this.dragEl_, event); this.dragger_.setScrollTarget(this.scrollTarget_); goog.events.listen(this.dragger_, goog.fx.Dragger.EventType.DRAG, this.moveDrag_, false, this); goog.events.listen(this.dragger_, goog.fx.Dragger.EventType.END, this.endDrag, false, this); // IE may issue a 'selectstart' event when dragging over an iframe even when // default mousemove behavior is suppressed. If the default selectstart // behavior is not suppressed, elements dragged over will show as selected. goog.events.listen(doc.body, goog.events.EventType.SELECTSTART, this.suppressSelect_); this.recalculateDragTargets(); this.recalculateScrollableContainers(); this.activeTarget_ = null; this.initScrollableContainerListeners_(); this.dragger_.startDrag(event); event.preventDefault(); }; /** * Recalculates the geometry of this source's drag targets. Call this * if the position or visibility of a drag target has changed during * a drag, or if targets are added or removed. * * TODO(user): this is an expensive operation; more efficient APIs * may be necessary. */ goog.fx.AbstractDragDrop.prototype.recalculateDragTargets = function() { this.targetList_ = []; for (var target, i = 0; target = this.targets_[i]; i++) { for (var itm, j = 0; itm = target.items_[j]; j++) { this.addDragTarget_(target, itm); } } if (!this.targetBox_) { this.targetBox_ = new goog.math.Box(0, 0, 0, 0); } }; /** * Recalculates the current scroll positions of scrollable containers and * allocates targets. Call this if the position of a container changed or if * targets are added or removed. */ goog.fx.AbstractDragDrop.prototype.recalculateScrollableContainers = function() { var container, i, j, target; for (i = 0; container = this.scrollableContainers_[i]; i++) { container.containedTargets_ = []; container.savedScrollLeft_ = container.element_.scrollLeft; container.savedScrollTop_ = container.element_.scrollTop; var pos = goog.style.getPageOffset(container.element_); var size = goog.style.getSize(container.element_); container.box_ = new goog.math.Box(pos.y, pos.x + size.width, pos.y + size.height, pos.x); } for (i = 0; target = this.targetList_[i]; i++) { for (j = 0; container = this.scrollableContainers_[j]; j++) { if (goog.dom.contains(container.element_, target.element_)) { container.containedTargets_.push(target); target.scrollableContainer_ = container; } } } }; /** * Creates the Dragger for the drag element. * @param {Element} sourceEl Drag source element. * @param {Element} el the element created by createDragElement(). * @param {goog.events.BrowserEvent} event Mouse down event for start of drag. * @return {goog.fx.Dragger} The new Dragger. * @protected */ goog.fx.AbstractDragDrop.prototype.createDraggerFor = function(sourceEl, el, event) { // Position the drag element. var pos = this.getDragElementPosition(sourceEl, el, event); el.style.position = 'absolute'; el.style.left = pos.x + 'px'; el.style.top = pos.y + 'px'; return new goog.fx.Dragger(el); }; /** * Event handler that's used to stop drag. Fires a drop event if over a valid * target. * * @param {goog.fx.DragEvent} event Drag event. */ goog.fx.AbstractDragDrop.prototype.endDrag = function(event) { var activeTarget = event.dragCanceled ? null : this.activeTarget_; if (activeTarget && activeTarget.target_) { var clientX = event.clientX; var clientY = event.clientY; var scroll = this.getScrollPos(); var x = clientX + scroll.x; var y = clientY + scroll.y; var subtarget; // If a subtargeting function is enabled get the current subtarget if (this.subtargetFunction_) { subtarget = this.subtargetFunction_(activeTarget.item_, activeTarget.box_, x, y); } var dragEvent = new goog.fx.DragDropEvent( goog.fx.AbstractDragDrop.EventType.DRAG, this, this.dragItem_, activeTarget.target_, activeTarget.item_, activeTarget.element_, clientX, clientY, x, y); this.dispatchEvent(dragEvent); var dropEvent = new goog.fx.DragDropEvent( goog.fx.AbstractDragDrop.EventType.DROP, this, this.dragItem_, activeTarget.target_, activeTarget.item_, activeTarget.element_, clientX, clientY, x, y, subtarget); activeTarget.target_.dispatchEvent(dropEvent); } var dragEndEvent = new goog.fx.DragDropEvent( goog.fx.AbstractDragDrop.EventType.DRAGEND, this, this.dragItem_); this.dispatchEvent(dragEndEvent); goog.events.unlisten(this.dragger_, goog.fx.Dragger.EventType.DRAG, this.moveDrag_, false, this); goog.events.unlisten(this.dragger_, goog.fx.Dragger.EventType.END, this.endDrag, false, this); var doc = goog.dom.getOwnerDocument(this.dragItem_.getCurrentDragElement()); goog.events.unlisten(doc.body, goog.events.EventType.SELECTSTART, this.suppressSelect_); this.afterEndDrag(this.activeTarget_ ? this.activeTarget_.item_ : null); }; /** * Called after a drag operation has finished. * * @param {goog.fx.DragDropItem=} opt_dropTarget Target for successful drop. * @protected */ goog.fx.AbstractDragDrop.prototype.afterEndDrag = function(opt_dropTarget) { this.disposeDrag(); }; /** * Called once a drag operation has finished. Removes event listeners and * elements. * * @protected */ goog.fx.AbstractDragDrop.prototype.disposeDrag = function() { this.disposeScrollableContainerListeners_(); this.dragger_.dispose(); goog.dom.removeNode(this.dragEl_); delete this.dragItem_; delete this.dragEl_; delete this.dragger_; delete this.targetList_; delete this.activeTarget_; }; /** * Event handler for drag events. Determines the active drop target, if any, and * fires dragover and dragout events appropriately. * * @param {goog.fx.DragEvent} event Drag event. * @private */ goog.fx.AbstractDragDrop.prototype.moveDrag_ = function(event) { var position = this.getEventPosition(event); var x = position.x; var y = position.y; // Check if we're still inside the bounds of the active target, if not fire // a dragout event and proceed to find a new target. var activeTarget = this.activeTarget_; var subtarget; if (activeTarget) { // If a subtargeting function is enabled get the current subtarget if (this.subtargetFunction_ && activeTarget.target_) { subtarget = this.subtargetFunction_(activeTarget.item_, activeTarget.box_, x, y); } if (activeTarget.box_.contains(position) && subtarget == this.activeSubtarget_) { return; } if (activeTarget.target_) { var sourceDragOutEvent = new goog.fx.DragDropEvent( goog.fx.AbstractDragDrop.EventType.DRAGOUT, this, this.dragItem_, activeTarget.target_, activeTarget.item_, activeTarget.element_); this.dispatchEvent(sourceDragOutEvent); // The event should be dispatched the by target DragDrop so that the // target DragDrop can manage these events without having to know what // sources this is a target for. var targetDragOutEvent = new goog.fx.DragDropEvent( goog.fx.AbstractDragDrop.EventType.DRAGOUT, this, this.dragItem_, activeTarget.target_, activeTarget.item_, activeTarget.element_, undefined, undefined, undefined, undefined, this.activeSubtarget_); activeTarget.target_.dispatchEvent(targetDragOutEvent); } this.activeSubtarget_ = subtarget; this.activeTarget_ = null; } // Check if inside target box if (this.targetBox_.contains(position)) { // Search for target and fire a dragover event if found activeTarget = this.activeTarget_ = this.getTargetFromPosition_(position); if (activeTarget && activeTarget.target_) { // If a subtargeting function is enabled get the current subtarget if (this.subtargetFunction_) { subtarget = this.subtargetFunction_(activeTarget.item_, activeTarget.box_, x, y); } var sourceDragOverEvent = new goog.fx.DragDropEvent( goog.fx.AbstractDragDrop.EventType.DRAGOVER, this, this.dragItem_, activeTarget.target_, activeTarget.item_, activeTarget.element_); sourceDragOverEvent.subtarget = subtarget; this.dispatchEvent(sourceDragOverEvent); // The event should be dispatched by the target DragDrop so that the // target DragDrop can manage these events without having to know what // sources this is a target for. var targetDragOverEvent = new goog.fx.DragDropEvent( goog.fx.AbstractDragDrop.EventType.DRAGOVER, this, this.dragItem_, activeTarget.target_, activeTarget.item_, activeTarget.element_, event.clientX, event.clientY, undefined, undefined, subtarget); activeTarget.target_.dispatchEvent(targetDragOverEvent); } else if (!activeTarget) { // If no target was found create a dummy one so we won't have to iterate // over all possible targets for every move event. this.activeTarget_ = this.maybeCreateDummyTargetForPosition_(x, y); } } }; /** * Event handler for suppressing selectstart events. Selecting should be * disabled while dragging. * * @param {goog.events.Event} event The selectstart event to suppress. * @return {boolean} Whether to perform default behavior. * @private */ goog.fx.AbstractDragDrop.prototype.suppressSelect_ = function(event) { return false; }; /** * Sets up listeners for the scrollable containers that keep track of their * scroll positions. * @private */ goog.fx.AbstractDragDrop.prototype.initScrollableContainerListeners_ = function() { var container, i; for (i = 0; container = this.scrollableContainers_[i]; i++) { goog.events.listen(container.element_, goog.events.EventType.SCROLL, this.containerScrollHandler_, false, this); } }; /** * Cleans up the scrollable container listeners. * @private */ goog.fx.AbstractDragDrop.prototype.disposeScrollableContainerListeners_ = function() { for (var i = 0, container; container = this.scrollableContainers_[i]; i++) { goog.events.unlisten(container.element_, 'scroll', this.containerScrollHandler_, false, this); container.containedTargets_ = []; } }; /** * Makes drag and drop aware of a target container that could scroll mid drag. * @param {Element} element The scroll container. */ goog.fx.AbstractDragDrop.prototype.addScrollableContainer = function(element) { this.scrollableContainers_.push(new goog.fx.ScrollableContainer_(element)); }; /** * Removes all scrollable containers. */ goog.fx.AbstractDragDrop.prototype.removeAllScrollableContainers = function() { this.disposeScrollableContainerListeners_(); this.scrollableContainers_ = []; }; /** * Event handler for containers scrolling. * @param {goog.events.Event} e The event. * @private */ goog.fx.AbstractDragDrop.prototype.containerScrollHandler_ = function(e) { for (var i = 0, container; container = this.scrollableContainers_[i]; i++) { if (e.target == container.element_) { var deltaTop = container.savedScrollTop_ - container.element_.scrollTop; var deltaLeft = container.savedScrollLeft_ - container.element_.scrollLeft; container.savedScrollTop_ = container.element_.scrollTop; container.savedScrollLeft_ = container.element_.scrollLeft; // When the container scrolls, it's possible that one of the targets will // move to the region contained by the dummy target. Since we don't know // which sides (if any) of the dummy target are defined by targets // contained by this container, we are conservative and just shrink it. if (this.dummyTarget_ && this.activeTarget_ == this.dummyTarget_) { if (deltaTop > 0) { this.dummyTarget_.box_.top += deltaTop; } else { this.dummyTarget_.box_.bottom += deltaTop; } if (deltaLeft > 0) { this.dummyTarget_.box_.left += deltaLeft; } else { this.dummyTarget_.box_.right += deltaLeft; } } for (var j = 0, target; target = container.containedTargets_[j]; j++) { var box = target.box_; box.top += deltaTop; box.left += deltaLeft; box.bottom += deltaTop; box.right += deltaLeft; this.calculateTargetBox_(box); } } } this.dragger_.onScroll_(e); }; /** * Set a function that provides subtargets. A subtargeting function * returns an arbitrary identifier for each subtarget of an element. * DnD code will generate additional drag over / out events when * switching from subtarget to subtarget. This is useful for instance * if you are interested if you are on the top half or the bottom half * of the element. * The provided function will be given the DragDropItem, box, x, y * box is the current window coordinates occupied by element * x, y is the mouse position in window coordinates * * @param {Function} f The new subtarget function. */ goog.fx.AbstractDragDrop.prototype.setSubtargetFunction = function(f) { this.subtargetFunction_ = f; }; /** * Creates an element for the item being dragged. * * @param {Element} sourceEl Drag source element. * @return {Element} The new drag element. */ goog.fx.AbstractDragDrop.prototype.createDragElement = function(sourceEl) { var dragEl = this.cloneNode_(sourceEl); if (this.dragClass_) { goog.dom.classes.add(dragEl, this.dragClass_); } return dragEl; }; /** * Returns the position for the drag element. * * @param {Element} el Drag source element. * @param {Element} dragEl The dragged element created by createDragElement(). * @param {goog.events.BrowserEvent} event Mouse down event for start of drag. * @return {goog.math.Coordinate} The position for the drag element. */ goog.fx.AbstractDragDrop.prototype.getDragElementPosition = function(el, dragEl, event) { var pos = goog.style.getPageOffset(el); // Subtract margin from drag element position twice, once to adjust the // position given by the original node and once for the drag node. var marginBox = goog.style.getMarginBox(el); pos.x -= (marginBox.left || 0) * 2; pos.y -= (marginBox.top || 0) * 2; return pos; }; /** * Returns the dragger object. * * @return {goog.fx.Dragger} The dragger object used by this drag and drop * instance. */ goog.fx.AbstractDragDrop.prototype.getDragger = function() { return this.dragger_; }; /** * Creates copy of node being dragged. * * @param {Element} sourceEl Element to copy. * @return {Element} The clone of {@code sourceEl}. * @private */ goog.fx.AbstractDragDrop.prototype.cloneNode_ = function(sourceEl) { var clonedEl = /** @type {Element} */ (sourceEl.cloneNode(true)); switch (sourceEl.tagName.toLowerCase()) { case 'tr': return goog.dom.createDom( 'table', null, goog.dom.createDom('tbody', null, clonedEl)); case 'td': case 'th': return goog.dom.createDom( 'table', null, goog.dom.createDom('tbody', null, goog.dom.createDom( 'tr', null, clonedEl))); default: return clonedEl; } }; /** * Add possible drop target for current drag operation. * * @param {goog.fx.AbstractDragDrop} target Drag handler. * @param {goog.fx.DragDropItem} item Item that's being dragged. * @private */ goog.fx.AbstractDragDrop.prototype.addDragTarget_ = function(target, item) { // Get all the draggable elements and add each one. var draggableElements = item.getDraggableElements(); var targetList = this.targetList_; for (var i = 0; i < draggableElements.length; i++) { var draggableElement = draggableElements[i]; // Determine target position and dimension var pos = goog.style.getPageOffset(draggableElement); var size = goog.style.getSize(draggableElement); var box = new goog.math.Box(pos.y, pos.x + size.width, pos.y + size.height, pos.x); targetList.push( new goog.fx.ActiveDropTarget_(box, target, item, draggableElement)); this.calculateTargetBox_(box); } }; /** * Calculate the outer bounds (the region all targets are inside). * * @param {goog.math.Box} box Box describing the position and dimension * of a drag target. * @private */ goog.fx.AbstractDragDrop.prototype.calculateTargetBox_ = function(box) { if (this.targetList_.length == 1) { this.targetBox_ = new goog.math.Box(box.top, box.right, box.bottom, box.left); } else { var tb = this.targetBox_; tb.left = Math.min(box.left, tb.left); tb.right = Math.max(box.right, tb.right); tb.top = Math.min(box.top, tb.top); tb.bottom = Math.max(box.bottom, tb.bottom); } }; /** * Creates a dummy target for the given cursor position. The assumption is to * create as big dummy target box as possible, the only constraints are: * - The dummy target box cannot overlap any of real target boxes. * - The dummy target has to contain a point with current mouse coordinates. * * NOTE: For performance reasons the box construction algorithm is kept simple * and it is not optimal (see example below). Currently it is O(n) in regard to * the number of real drop target boxes, but its result depends on the order * of those boxes being processed (the order in which they're added to the * targetList_ collection). * * The algorithm. * a) Assumptions * - Mouse pointer is in the bounding box of real target boxes. * - None of the boxes have negative coordinate values. * - Mouse pointer is not contained by any of "real target" boxes. * - For targets inside a scrollable container, the box used is the * intersection of the scrollable container's box and the target's box. * This is because the part of the target that extends outside the scrollable * container should not be used in the clipping calculations. * * b) Outline * - Initialize the fake target to the bounding box of real targets. * - For each real target box - clip the fake target box so it does not contain * that target box, but does contain the mouse pointer. * -- Project the real target box, mouse pointer and fake target box onto * both axes and calculate the clipping coordinates. * -- Only one coordinate is used to clip the fake target box to keep the * fake target as big as possible. * -- If the projection of the real target box contains the mouse pointer, * clipping for a given axis is not possible. * -- If both clippings are possible, the clipping more distant from the * mouse pointer is selected to keep bigger fake target area. * - Save the created fake target only if it has a big enough area. * * * c) Example * <pre> * Input: Algorithm created box: Maximum box: * +---------------------+ +---------------------+ +---------------------+ * | B1 | B2 | | B1 B2 | | B1 B2 | * | | | | +-------------+ | |+-------------------+| * |---------x-----------| | | | | || || * | | | | | | | || || * | | | | | | | || || * | | | | | | | || || * | | | | | | | || || * | | | | +-------------+ | |+-------------------+| * | B4 | B3 | | B4 B3 | | B4 B3 | * +---------------------+ +---------------------+ +---------------------+ * </pre> * * @param {number} x Cursor position on the x-axis. * @param {number} y Cursor position on the y-axis. * @return {goog.fx.ActiveDropTarget_} Dummy drop target. * @private */ goog.fx.AbstractDragDrop.prototype.maybeCreateDummyTargetForPosition_ = function(x, y) { if (!this.dummyTarget_) { this.dummyTarget_ = new goog.fx.ActiveDropTarget_(this.targetBox_.clone()); } var fakeTargetBox = this.dummyTarget_.box_; // Initialize the fake target box to the bounding box of DnD targets. fakeTargetBox.top = this.targetBox_.top; fakeTargetBox.right = this.targetBox_.right; fakeTargetBox.bottom = this.targetBox_.bottom; fakeTargetBox.left = this.targetBox_.left; // Clip the fake target based on mouse position and DnD target boxes. for (var i = 0, target; target = this.targetList_[i]; i++) { var box = target.box_; if (target.scrollableContainer_) { // If the target has a scrollable container, use the intersection of that // container's box and the target's box. var scrollBox = target.scrollableContainer_.box_; box = new goog.math.Box( Math.max(box.top, scrollBox.top), Math.min(box.right, scrollBox.right), Math.min(box.bottom, scrollBox.bottom), Math.max(box.left, scrollBox.left)); } // Calculate clipping coordinates for horizontal and vertical axis. // The clipping coordinate is calculated by projecting fake target box, // the mouse pointer and DnD target box onto an axis and checking how // box projections overlap and if the projected DnD target box contains // mouse pointer. The clipping coordinate cannot be computed and is set to // a negative value if the projected DnD target contains the mouse pointer. var horizontalClip = null; // Assume mouse is above or below the DnD box. if (x >= box.right) { // Mouse is to the right of the DnD box. // Clip the fake box only if the DnD box overlaps it. horizontalClip = box.right > fakeTargetBox.left ? box.right : fakeTargetBox.left; } else if (x < box.left) { // Mouse is to the left of the DnD box. // Clip the fake box only if the DnD box overlaps it. horizontalClip = box.left < fakeTargetBox.right ? box.left : fakeTargetBox.right; } var verticalClip = null; if (y >= box.bottom) { verticalClip = box.bottom > fakeTargetBox.top ? box.bottom : fakeTargetBox.top; } else if (y < box.top) { verticalClip = box.top < fakeTargetBox.bottom ? box.top : fakeTargetBox.bottom; } // If both clippings are possible, choose one that gives us larger distance // to mouse pointer (mark the shorter clipping as impossible, by setting it // to null). if (!goog.isNull(horizontalClip) && !goog.isNull(verticalClip)) { if (Math.abs(horizontalClip - x) > Math.abs(verticalClip - y)) { verticalClip = null; } else { horizontalClip = null; } } // Clip none or one of fake target box sides (at most one clipping // coordinate can be active). if (!goog.isNull(horizontalClip)) { if (horizontalClip <= x) { fakeTargetBox.left = horizontalClip; } else { fakeTargetBox.right = horizontalClip; } } else if (!goog.isNull(verticalClip)) { if (verticalClip <= y) { fakeTargetBox.top = verticalClip; } else { fakeTargetBox.bottom = verticalClip; } } } // Only return the new fake target if it is big enough. return (fakeTargetBox.right - fakeTargetBox.left) * (fakeTargetBox.bottom - fakeTargetBox.top) >= goog.fx.AbstractDragDrop.DUMMY_TARGET_MIN_SIZE_ ? this.dummyTarget_ : null; }; /** * Returns the target for a given cursor position. * * @param {goog.math.Coordinate} position Cursor position. * @return {Object} Target for position or null if no target was defined * for the given position. * @private */ goog.fx.AbstractDragDrop.prototype.getTargetFromPosition_ = function(position) { for (var target, i = 0; target = this.targetList_[i]; i++) { if (target.box_.contains(position)) { if (target.scrollableContainer_) { // If we have a scrollable container we will need to make sure // we account for clipping of the scroll area var box = target.scrollableContainer_.box_; if (box.contains(position)) { return target; } } else { return target; } } } return null; }; /** * Checks whatever a given point is inside a given box. * * @param {number} x Cursor position on the x-axis. * @param {number} y Cursor position on the y-axis. * @param {goog.math.Box} box Box to check position against. * @return {boolean} Whether the given point is inside {@code box}. * @protected * @deprecated Use goog.math.Box.contains. */ goog.fx.AbstractDragDrop.prototype.isInside = function(x, y, box) { return x >= box.left && x < box.right && y >= box.top && y < box.bottom; }; /** * Gets the scroll distance as a coordinate object, using * the window of the current drag element's dom. * @return {goog.math.Coordinate} Object with scroll offsets 'x' and 'y'. * @protected */ goog.fx.AbstractDragDrop.prototype.getScrollPos = function() { return goog.dom.getDomHelper(this.dragEl_).getDocumentScroll(); }; /** * Get the position of a drag event. * @param {goog.fx.DragEvent} event Drag event. * @return {goog.math.Coordinate} Position of the event. * @protected */ goog.fx.AbstractDragDrop.prototype.getEventPosition = function(event) { var scroll = this.getScrollPos(); return new goog.math.Coordinate(event.clientX + scroll.x, event.clientY + scroll.y); }; /** @override */ goog.fx.AbstractDragDrop.prototype.disposeInternal = function() { goog.base(this, 'disposeInternal'); this.removeItems(); }; /** * Object representing a drag and drop event. * * @param {string} type Event type. * @param {goog.fx.AbstractDragDrop} source Source drag drop object. * @param {goog.fx.DragDropItem} sourceItem Source item. * @param {goog.fx.AbstractDragDrop=} opt_target Target drag drop object. * @param {goog.fx.DragDropItem=} opt_targetItem Target item. * @param {Element=} opt_targetElement Target element. * @param {number=} opt_clientX X-Position relative to the screen. * @param {number=} opt_clientY Y-Position relative to the screen. * @param {number=} opt_x X-Position relative to the viewport. * @param {number=} opt_y Y-Position relative to the viewport. * @param {Object=} opt_subtarget The currently active subtarget. * @extends {goog.events.Event} * @constructor */ goog.fx.DragDropEvent = function(type, source, sourceItem, opt_target, opt_targetItem, opt_targetElement, opt_clientX, opt_clientY, opt_x, opt_y, opt_subtarget) { // TODO(eae): Get rid of all the optional parameters and have the caller set // the fields directly instead. goog.base(this, type); /** * Reference to the source goog.fx.AbstractDragDrop object. * @type {goog.fx.AbstractDragDrop} */ this.dragSource = source; /** * Reference to the source goog.fx.DragDropItem object. * @type {goog.fx.DragDropItem} */ this.dragSourceItem = sourceItem; /** * Reference to the target goog.fx.AbstractDragDrop object. * @type {goog.fx.AbstractDragDrop|undefined} */ this.dropTarget = opt_target; /** * Reference to the target goog.fx.DragDropItem object. * @type {goog.fx.DragDropItem|undefined} */ this.dropTargetItem = opt_targetItem; /** * The actual element of the drop target that is the target for this event. * @type {Element|undefined} */ this.dropTargetElement = opt_targetElement; /** * X-Position relative to the screen. * @type {number|undefined} */ this.clientX = opt_clientX; /** * Y-Position relative to the screen. * @type {number|undefined} */ this.clientY = opt_clientY; /** * X-Position relative to the viewport. * @type {number|undefined} */ this.viewportX = opt_x; /** * Y-Position relative to the viewport. * @type {number|undefined} */ this.viewportY = opt_y; /** * The subtarget that is currently active if a subtargeting function * is supplied. * @type {Object|undefined} */ this.subtarget = opt_subtarget; }; goog.inherits(goog.fx.DragDropEvent, goog.events.Event); /** @override */ goog.fx.DragDropEvent.prototype.disposeInternal = function() { }; /** * Class representing a source or target element for drag and drop operations. * * @param {Element|string} element Dom Node, or string representation of node * id, to be used as drag source/drop target. * @param {Object=} opt_data Data associated with the source/target. * @throws Error If no element argument is provided or if the type is invalid * @extends {goog.events.EventTarget} * @constructor */ goog.fx.DragDropItem = function(element, opt_data) { goog.base(this); /** * Reference to drag source/target element * @type {Element} */ this.element = goog.dom.getElement(element); /** * Data associated with element. * @type {Object|undefined} */ this.data = opt_data; /** * Drag object the item belongs to. * @type {goog.fx.AbstractDragDrop?} * @private */ this.parent_ = null; /** * Event handler for listeners on events that can initiate a drag. * @type {!goog.events.EventHandler} * @private */ this.eventHandler_ = new goog.events.EventHandler(this); this.registerDisposable(this.eventHandler_); if (!this.element) { throw Error('Invalid argument'); } }; goog.inherits(goog.fx.DragDropItem, goog.events.EventTarget); /** * The current element being dragged. This is needed because a DragDropItem can * have multiple elements that can be dragged. * @type {Element} * @private */ goog.fx.DragDropItem.prototype.currentDragElement_ = null; /** * Get the data associated with the source/target. * @return {Object|null|undefined} Data associated with the source/target. */ goog.fx.DragDropItem.prototype.getData = function() { return this.data; }; /** * Gets the element that is actually draggable given that the given target was * attempted to be dragged. This should be overriden when the element that was * given actually contains many items that can be dragged. From the target, you * can determine what element should actually be dragged. * * @param {Element} target The target that was attempted to be dragged. * @return {Element} The element that is draggable given the target. If * none are draggable, this will return null. */ goog.fx.DragDropItem.prototype.getDraggableElement = function(target) { return target; }; /** * Gets the element that is currently being dragged. * * @return {Element} The element that is currently being dragged. */ goog.fx.DragDropItem.prototype.getCurrentDragElement = function() { return this.currentDragElement_; }; /** * Gets all the elements of this item that are potentially draggable/ * * @return {Array.<Element>} The draggable elements. */ goog.fx.DragDropItem.prototype.getDraggableElements = function() { return [this.element]; }; /** * Event handler for mouse down. * * @param {goog.events.BrowserEvent} event Mouse down event. * @private */ goog.fx.DragDropItem.prototype.mouseDown_ = function(event) { if (!event.isMouseActionButton()) { return; } // Get the draggable element for the target. var element = this.getDraggableElement(/** @type {Element} */ (event.target)); if (element) { this.maybeStartDrag_(event, element); } }; /** * Sets the dragdrop to which this item belongs. * @param {goog.fx.AbstractDragDrop} parent The parent dragdrop. */ goog.fx.DragDropItem.prototype.setParent = function(parent) { this.parent_ = parent; }; /** * Adds mouse move, mouse out and mouse up handlers. * * @param {goog.events.BrowserEvent} event Mouse down event. * @param {Element} element Element. * @private */ goog.fx.DragDropItem.prototype.maybeStartDrag_ = function(event, element) { var eventType = goog.events.EventType; this.eventHandler_. listen(element, eventType.MOUSEMOVE, this.mouseMove_, false). listen(element, eventType.MOUSEOUT, this.mouseMove_, false); // Capture the MOUSEUP on the document to ensure that we cancel the start // drag handlers even if the mouse up occurs on some other element. This can // happen for instance when the mouse down changes the geometry of the element // clicked on (e.g. through changes in activation styling) such that the mouse // up occurs outside the original element. var doc = goog.dom.getOwnerDocument(element); this.eventHandler_.listen(doc, eventType.MOUSEUP, this.mouseUp_, true); this.currentDragElement_ = element; this.startPosition_ = new goog.math.Coordinate( event.clientX, event.clientY); event.preventDefault(); }; /** * Event handler for mouse move. Starts drag operation if moved more than the * threshold value. * * @param {goog.events.BrowserEvent} event Mouse move or mouse out event. * @private */ goog.fx.DragDropItem.prototype.mouseMove_ = function(event) { var distance = Math.abs(event.clientX - this.startPosition_.x) + Math.abs(event.clientY - this.startPosition_.y); // Fire dragStart event if the drag distance exceeds the threshold or if the // mouse leave the dragged element. // TODO(user): Consider using the goog.fx.Dragger to track the distance // even after the mouse leaves the dragged element. var currentDragElement = this.currentDragElement_; var distanceAboveThreshold = distance > goog.fx.AbstractDragDrop.initDragDistanceThreshold; var mouseOutOnDragElement = event.type == goog.events.EventType.MOUSEOUT && event.target == currentDragElement; if (distanceAboveThreshold || mouseOutOnDragElement) { this.eventHandler_.removeAll(); this.parent_.startDrag(event, this); } }; /** * Event handler for mouse up. Removes mouse move, mouse out and mouse up event * handlers. * * @param {goog.events.BrowserEvent} event Mouse up event. * @private */ goog.fx.DragDropItem.prototype.mouseUp_ = function(event) { this.eventHandler_.removeAll(); delete this.startPosition_; this.currentDragElement_ = null; }; /** * Class representing an active drop target * * @param {goog.math.Box} box Box describing the position and dimension of the * target item. * @param {goog.fx.AbstractDragDrop=} opt_target Target that contains the item associated with position. * @param {goog.fx.DragDropItem=} opt_item Item associated with position. * @param {Element=} opt_element Element of item associated with position. * @constructor * @private */ goog.fx.ActiveDropTarget_ = function(box, opt_target, opt_item, opt_element) { /** * Box describing the position and dimension of the target item * @type {goog.math.Box} * @private */ this.box_ = box; /** * Target that contains the item associated with position * @type {goog.fx.AbstractDragDrop|undefined} * @private */ this.target_ = opt_target; /** * Item associated with position * @type {goog.fx.DragDropItem|undefined} * @private */ this.item_ = opt_item; /** * The draggable element of the item associated with position. * @type {Element|undefined} * @private */ this.element_ = opt_element; }; /** * If this target is in a scrollable container this is it. * @type {goog.fx.ScrollableContainer_} * @private */ goog.fx.ActiveDropTarget_.prototype.scrollableContainer_ = null; /** * Class for representing a scrollable container * @param {Element} element the scrollable element. * @constructor * @private */ goog.fx.ScrollableContainer_ = function(element) { /** * The targets that lie within this container. * @type {Array.<goog.fx.ActiveDropTarget_>} * @private */ this.containedTargets_ = []; /** * The element that is this container * @type {Element} * @private */ this.element_ = element; /** * The saved scroll left location for calculating deltas. * @type {number} * @private */ this.savedScrollLeft_ = 0; /** * The saved scroll top location for calculating deltas. * @type {number} * @private */ this.savedScrollTop_ = 0; /** * The space occupied by the container. * @type {goog.math.Box} * @private */ this.box_ = null; };
JavaScript
// Copyright 2011 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview An abstract base class for transitions. This is a simple * interface that allows for playing, pausing and stopping an animation. It adds * a simple event model, and animation status. */ goog.provide('goog.fx.TransitionBase'); goog.provide('goog.fx.TransitionBase.State'); goog.require('goog.events.EventTarget'); goog.require('goog.fx.Transition'); // Unreferenced: interface goog.require('goog.fx.Transition.EventType'); /** * Constructor for a transition object. * * @constructor * @implements {goog.fx.Transition} * @extends {goog.events.EventTarget} */ goog.fx.TransitionBase = function() { goog.base(this); /** * The internal state of the animation. * @type {goog.fx.TransitionBase.State} * @private */ this.state_ = goog.fx.TransitionBase.State.STOPPED; /** * Timestamp for when the animation was started. * @type {?number} * @protected */ this.startTime = null; /** * Timestamp for when the animation finished or was stopped. * @type {?number} * @protected */ this.endTime = null; }; goog.inherits(goog.fx.TransitionBase, goog.events.EventTarget); /** * Enum for the possible states of an animation. * @enum {number} */ goog.fx.TransitionBase.State = { STOPPED: 0, PAUSED: -1, PLAYING: 1 }; /** * Plays the animation. * * @param {boolean=} opt_restart Optional parameter to restart the animation. * @return {boolean} True iff the animation was started. * @override */ goog.fx.TransitionBase.prototype.play = goog.abstractMethod; /** * Stops the animation. * * @param {boolean=} opt_gotoEnd Optional boolean parameter to go the the end of * the animation. * @override */ goog.fx.TransitionBase.prototype.stop = goog.abstractMethod; /** * Pauses the animation. */ goog.fx.TransitionBase.prototype.pause = goog.abstractMethod; /** * Returns the current state of the animation. * @return {goog.fx.TransitionBase.State} State of the animation. */ goog.fx.TransitionBase.prototype.getStateInternal = function() { return this.state_; }; /** * Sets the current state of the animation to playing. * @protected */ goog.fx.TransitionBase.prototype.setStatePlaying = function() { this.state_ = goog.fx.TransitionBase.State.PLAYING; }; /** * Sets the current state of the animation to paused. * @protected */ goog.fx.TransitionBase.prototype.setStatePaused = function() { this.state_ = goog.fx.TransitionBase.State.PAUSED; }; /** * Sets the current state of the animation to stopped. * @protected */ goog.fx.TransitionBase.prototype.setStateStopped = function() { this.state_ = goog.fx.TransitionBase.State.STOPPED; }; /** * @return {boolean} True iff the current state of the animation is playing. */ goog.fx.TransitionBase.prototype.isPlaying = function() { return this.state_ == goog.fx.TransitionBase.State.PLAYING; }; /** * @return {boolean} True iff the current state of the animation is paused. */ goog.fx.TransitionBase.prototype.isPaused = function() { return this.state_ == goog.fx.TransitionBase.State.PAUSED; }; /** * @return {boolean} True iff the current state of the animation is stopped. */ goog.fx.TransitionBase.prototype.isStopped = function() { return this.state_ == goog.fx.TransitionBase.State.STOPPED; }; /** * Dispatches the BEGIN event. Sub classes should override this instead * of listening to the event, and call this instead of dispatching the event. * @protected */ goog.fx.TransitionBase.prototype.onBegin = function() { this.dispatchAnimationEvent(goog.fx.Transition.EventType.BEGIN); }; /** * Dispatches the END event. Sub classes should override this instead * of listening to the event, and call this instead of dispatching the event. * @protected */ goog.fx.TransitionBase.prototype.onEnd = function() { this.dispatchAnimationEvent(goog.fx.Transition.EventType.END); }; /** * Dispatches the FINISH event. Sub classes should override this instead * of listening to the event, and call this instead of dispatching the event. * @protected */ goog.fx.TransitionBase.prototype.onFinish = function() { this.dispatchAnimationEvent(goog.fx.Transition.EventType.FINISH); }; /** * Dispatches the PAUSE event. Sub classes should override this instead * of listening to the event, and call this instead of dispatching the event. * @protected */ goog.fx.TransitionBase.prototype.onPause = function() { this.dispatchAnimationEvent(goog.fx.Transition.EventType.PAUSE); }; /** * Dispatches the PLAY event. Sub classes should override this instead * of listening to the event, and call this instead of dispatching the event. * @protected */ goog.fx.TransitionBase.prototype.onPlay = function() { this.dispatchAnimationEvent(goog.fx.Transition.EventType.PLAY); }; /** * Dispatches the RESUME event. Sub classes should override this instead * of listening to the event, and call this instead of dispatching the event. * @protected */ goog.fx.TransitionBase.prototype.onResume = function() { this.dispatchAnimationEvent(goog.fx.Transition.EventType.RESUME); }; /** * Dispatches the STOP event. Sub classes should override this instead * of listening to the event, and call this instead of dispatching the event. * @protected */ goog.fx.TransitionBase.prototype.onStop = function() { this.dispatchAnimationEvent(goog.fx.Transition.EventType.STOP); }; /** * Dispatches an event object for the current animation. * @param {string} type Event type that will be dispatched. * @protected */ goog.fx.TransitionBase.prototype.dispatchAnimationEvent = function(type) { this.dispatchEvent(type); };
JavaScript
// Copyright 2006 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Classes for doing animations and visual effects. * * (Based loosly on my animation code for 13thparallel.org, with extra * inspiration from the DojoToolkit's modifications to my code) */ goog.provide('goog.fx.Animation'); goog.provide('goog.fx.Animation.EventType'); goog.provide('goog.fx.Animation.State'); goog.provide('goog.fx.AnimationEvent'); goog.require('goog.array'); goog.require('goog.events.Event'); goog.require('goog.fx.Transition'); // Unreferenced: interface goog.require('goog.fx.Transition.EventType'); goog.require('goog.fx.TransitionBase.State'); goog.require('goog.fx.anim'); goog.require('goog.fx.anim.Animated'); // Unreferenced: interface /** * Constructor for an animation object. * @param {Array.<number>} start Array for start coordinates. * @param {Array.<number>} end Array for end coordinates. * @param {number} duration Length of animation in milliseconds. * @param {Function=} opt_acc Acceleration function, returns 0-1 for inputs 0-1. * @constructor * @implements {goog.fx.anim.Animated} * @implements {goog.fx.Transition} * @extends {goog.fx.TransitionBase} */ goog.fx.Animation = function(start, end, duration, opt_acc) { goog.base(this); if (!goog.isArray(start) || !goog.isArray(end)) { throw Error('Start and end parameters must be arrays'); } if (start.length != end.length) { throw Error('Start and end points must be the same length'); } /** * Start point. * @type {Array.<number>} * @protected */ this.startPoint = start; /** * End point. * @type {Array.<number>} * @protected */ this.endPoint = end; /** * Duration of animation in milliseconds. * @type {number} * @protected */ this.duration = duration; /** * Acceleration function, which must return a number between 0 and 1 for * inputs between 0 and 1. * @type {Function|undefined} * @private */ this.accel_ = opt_acc; /** * Current coordinate for animation. * @type {Array.<number>} * @protected */ this.coords = []; /** * Whether the animation should use "right" rather than "left" to position * elements in RTL. This is a temporary flag to allow clients to transition * to the new behavior at their convenience. At some point it will be the * default. * @type {boolean} * @private */ this.useRightPositioningForRtl_ = false; }; goog.inherits(goog.fx.Animation, goog.fx.TransitionBase); /** * Sets whether the animation should use "right" rather than "left" to position * elements. This is a temporary flag to allow clients to transition * to the new component at their convenience. At some point "right" will be * used for RTL elements by default. * @param {boolean} useRightPositioningForRtl True if "right" should be used for * positioning, false if "left" should be used for positioning. */ goog.fx.Animation.prototype.enableRightPositioningForRtl = function(useRightPositioningForRtl) { this.useRightPositioningForRtl_ = useRightPositioningForRtl; }; /** * Whether the animation should use "right" rather than "left" to position * elements. This is a temporary flag to allow clients to transition * to the new component at their convenience. At some point "right" will be * used for RTL elements by default. * @return {boolean} True if "right" should be used for positioning, false if * "left" should be used for positioning. */ goog.fx.Animation.prototype.isRightPositioningForRtlEnabled = function() { return this.useRightPositioningForRtl_; }; /** * Events fired by the animation. * @enum {string} */ goog.fx.Animation.EventType = { /** * Dispatched when played for the first time OR when it is resumed. * @deprecated Use goog.fx.Transition.EventType.PLAY. */ PLAY: goog.fx.Transition.EventType.PLAY, /** * Dispatched only when the animation starts from the beginning. * @deprecated Use goog.fx.Transition.EventType.BEGIN. */ BEGIN: goog.fx.Transition.EventType.BEGIN, /** * Dispatched only when animation is restarted after a pause. * @deprecated Use goog.fx.Transition.EventType.RESUME. */ RESUME: goog.fx.Transition.EventType.RESUME, /** * Dispatched when animation comes to the end of its duration OR stop * is called. * @deprecated Use goog.fx.Transition.EventType.END. */ END: goog.fx.Transition.EventType.END, /** * Dispatched only when stop is called. * @deprecated Use goog.fx.Transition.EventType.STOP. */ STOP: goog.fx.Transition.EventType.STOP, /** * Dispatched only when animation comes to its end naturally. * @deprecated Use goog.fx.Transition.EventType.FINISH. */ FINISH: goog.fx.Transition.EventType.FINISH, /** * Dispatched when an animation is paused. * @deprecated Use goog.fx.Transition.EventType.PAUSE. */ PAUSE: goog.fx.Transition.EventType.PAUSE, /** * Dispatched each frame of the animation. This is where the actual animator * will listen. */ ANIMATE: 'animate', /** * Dispatched when the animation is destroyed. */ DESTROY: 'destroy' }; /** * @deprecated Use goog.fx.anim.TIMEOUT. */ goog.fx.Animation.TIMEOUT = goog.fx.anim.TIMEOUT; /** * Enum for the possible states of an animation. * @deprecated Use goog.fx.Transition.State instead. * @enum {number} */ goog.fx.Animation.State = goog.fx.TransitionBase.State; /** * @deprecated Use goog.fx.anim.setAnimationWindow. * @param {Window} animationWindow The window in which to animate elements. */ goog.fx.Animation.setAnimationWindow = function(animationWindow) { goog.fx.anim.setAnimationWindow(animationWindow); }; /** * Current frame rate. * @type {number} * @private */ goog.fx.Animation.prototype.fps_ = 0; /** * Percent of the way through the animation. * @type {number} * @protected */ goog.fx.Animation.prototype.progress = 0; /** * Timestamp for when last frame was run. * @type {?number} * @protected */ goog.fx.Animation.prototype.lastFrame = null; /** * Starts or resumes an animation. * @param {boolean=} opt_restart Whether to restart the * animation from the beginning if it has been paused. * @return {boolean} Whether animation was started. * @override */ goog.fx.Animation.prototype.play = function(opt_restart) { if (opt_restart || this.isStopped()) { this.progress = 0; this.coords = this.startPoint; } else if (this.isPlaying()) { return false; } goog.fx.anim.unregisterAnimation(this); var now = /** @type {number} */ (goog.now()); this.startTime = now; if (this.isPaused()) { this.startTime -= this.duration * this.progress; } this.endTime = this.startTime + this.duration; this.lastFrame = this.startTime; if (!this.progress) { this.onBegin(); } this.onPlay(); if (this.isPaused()) { this.onResume(); } this.setStatePlaying(); goog.fx.anim.registerAnimation(this); this.cycle(now); return true; }; /** * Stops the animation. * @param {boolean=} opt_gotoEnd If true the animation will move to the * end coords. * @override */ goog.fx.Animation.prototype.stop = function(opt_gotoEnd) { goog.fx.anim.unregisterAnimation(this); this.setStateStopped(); if (!!opt_gotoEnd) { this.progress = 1; } this.updateCoords_(this.progress); this.onStop(); this.onEnd(); }; /** * Pauses the animation (iff it's playing). * @override */ goog.fx.Animation.prototype.pause = function() { if (this.isPlaying()) { goog.fx.anim.unregisterAnimation(this); this.setStatePaused(); this.onPause(); } }; /** * @return {number} The current progress of the animation, the number * is between 0 and 1 inclusive. */ goog.fx.Animation.prototype.getProgress = function() { return this.progress; }; /** * Sets the progress of the animation. * @param {number} progress The new progress of the animation. */ goog.fx.Animation.prototype.setProgress = function(progress) { this.progress = progress; if (this.isPlaying()) { var now = goog.now(); // If the animation is already playing, we recompute startTime and endTime // such that the animation plays consistently, that is: // now = startTime + progress * duration. this.startTime = now - this.duration * this.progress; this.endTime = this.startTime + this.duration; } }; /** * Disposes of the animation. Stops an animation, fires a 'destroy' event and * then removes all the event handlers to clean up memory. * @override * @protected */ goog.fx.Animation.prototype.disposeInternal = function() { if (!this.isStopped()) { this.stop(false); } this.onDestroy(); goog.base(this, 'disposeInternal'); }; /** * Stops an animation, fires a 'destroy' event and then removes all the event * handlers to clean up memory. * @deprecated Use dispose() instead. */ goog.fx.Animation.prototype.destroy = function() { this.dispose(); }; /** @inheritDoc */ goog.fx.Animation.prototype.onAnimationFrame = function(now) { this.cycle(now); }; /** * Handles the actual iteration of the animation in a timeout * @param {number} now The current time. */ goog.fx.Animation.prototype.cycle = function(now) { this.progress = (now - this.startTime) / (this.endTime - this.startTime); if (this.progress >= 1) { this.progress = 1; } this.fps_ = 1000 / (now - this.lastFrame); this.lastFrame = now; this.updateCoords_(this.progress); // Animation has finished. if (this.progress == 1) { this.setStateStopped(); goog.fx.anim.unregisterAnimation(this); this.onFinish(); this.onEnd(); // Animation is still under way. } else if (this.isPlaying()) { this.onAnimate(); } }; /** * Calculates current coordinates, based on the current state. Applies * the accelleration function if it exists. * @param {number} t Percentage of the way through the animation as a decimal. * @private */ goog.fx.Animation.prototype.updateCoords_ = function(t) { if (goog.isFunction(this.accel_)) { t = this.accel_(t); } this.coords = new Array(this.startPoint.length); for (var i = 0; i < this.startPoint.length; i++) { this.coords[i] = (this.endPoint[i] - this.startPoint[i]) * t + this.startPoint[i]; } }; /** * Dispatches the ANIMATE event. Sub classes should override this instead * of listening to the event. * @protected */ goog.fx.Animation.prototype.onAnimate = function() { this.dispatchAnimationEvent(goog.fx.Animation.EventType.ANIMATE); }; /** * Dispatches the DESTROY event. Sub classes should override this instead * of listening to the event. * @protected */ goog.fx.Animation.prototype.onDestroy = function() { this.dispatchAnimationEvent(goog.fx.Animation.EventType.DESTROY); }; /** @override */ goog.fx.Animation.prototype.dispatchAnimationEvent = function(type) { this.dispatchEvent(new goog.fx.AnimationEvent(type, this)); }; /** * Class for an animation event object. * @param {string} type Event type. * @param {goog.fx.Animation} anim An animation object. * @constructor * @extends {goog.events.Event} */ goog.fx.AnimationEvent = function(type, anim) { goog.base(this, type); /** * The current coordinates. * @type {Array.<number>} */ this.coords = anim.coords; /** * The x coordinate. * @type {number} */ this.x = anim.coords[0]; /** * The y coordinate. * @type {number} */ this.y = anim.coords[1]; /** * The z coordinate. * @type {number} */ this.z = anim.coords[2]; /** * The current duration. * @type {number} */ this.duration = anim.duration; /** * The current progress. * @type {number} */ this.progress = anim.getProgress(); /** * Frames per second so far. */ this.fps = anim.fps_; /** * The state of the animation. * @type {number} */ this.state = anim.getStateInternal(); /** * The animation object. * @type {goog.fx.Animation} */ // TODO(arv): This can be removed as this is the same as the target this.anim = anim; }; goog.inherits(goog.fx.AnimationEvent, goog.events.Event); /** * Returns the coordinates as integers (rounded to nearest integer). * @return {Array.<number>} An array of the coordinates rounded to * the nearest integer. */ goog.fx.AnimationEvent.prototype.coordsAsInts = function() { return goog.array.map(this.coords, Math.round); };
JavaScript
// Copyright 2008 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview A DragListGroup is a class representing a group of one or more * "drag lists" with items that can be dragged within them and between them. * * @see ../demos/draglistgroup.html */ goog.provide('goog.fx.DragListDirection'); goog.provide('goog.fx.DragListGroup'); goog.provide('goog.fx.DragListGroup.EventType'); goog.provide('goog.fx.DragListGroupEvent'); goog.require('goog.asserts'); goog.require('goog.dom'); goog.require('goog.dom.NodeType'); goog.require('goog.dom.classes'); goog.require('goog.events.Event'); goog.require('goog.events.EventHandler'); goog.require('goog.events.EventTarget'); goog.require('goog.events.EventType'); goog.require('goog.fx.Dragger'); goog.require('goog.fx.Dragger.EventType'); goog.require('goog.math.Coordinate'); goog.require('goog.style'); /** * A class representing a group of one or more "drag lists" with items that can * be dragged within them and between them. * * Example usage: * var dragListGroup = new goog.fx.DragListGroup(); * dragListGroup.setDragItemHandleHoverClass(className1, className2); * dragListGroup.setDraggerElClass(className3); * dragListGroup.addDragList(vertList, goog.fx.DragListDirection.DOWN); * dragListGroup.addDragList(horizList, goog.fx.DragListDirection.RIGHT); * dragListGroup.init(); * * @extends {goog.events.EventTarget} * @constructor */ goog.fx.DragListGroup = function() { goog.events.EventTarget.call(this); /** * The drag lists. * @type {Array.<Element>} * @private */ this.dragLists_ = []; /** * All the drag items. Set by init(). * @type {Array.<Element>} * @private */ this.dragItems_ = []; /** * Which drag item corresponds to a given handle. Set by init(). * Specifically, this maps from the unique ID (as given by goog.getUid) * of the handle to the drag item. * @type {Object} * @private */ this.dragItemForHandle_ = {}; /** * The event handler for this instance. * @type {goog.events.EventHandler} * @private */ this.eventHandler_ = new goog.events.EventHandler(this); /** * Whether the setup has been done to make all items in all lists draggable. * @type {boolean} * @private */ this.isInitialized_ = false; /** * Whether the currDragItem is always displayed. By default the list * collapses, the currDragItem's display is set to none, when we do not * hover over a draglist. * @type {boolean} * @private */ this.isCurrDragItemAlwaysDisplayed_ = false; /** * Whether to update the position of the currDragItem as we drag, i.e., * insert the currDragItem each time to the position where it would land if * we were to end the drag at that point. Defaults to true. * @type {boolean} * @private */ this.updateWhileDragging_ = true; }; goog.inherits(goog.fx.DragListGroup, goog.events.EventTarget); /** * Enum to indicate the direction that a drag list grows. * @enum {number} */ goog.fx.DragListDirection = { DOWN: 0, // common RIGHT: 2, // common LEFT: 3, // uncommon (except perhaps for right-to-left interfaces) RIGHT_2D: 4, // common + handles multiple lines if items are wrapped LEFT_2D: 5 // for rtl languages }; /** * Events dispatched by this class. * @type {Object} */ goog.fx.DragListGroup.EventType = { BEFOREDRAGSTART: 'beforedragstart', DRAGSTART: 'dragstart', BEFOREDRAGMOVE: 'beforedragmove', DRAGMOVE: 'dragmove', BEFOREDRAGEND: 'beforedragend', DRAGEND: 'dragend' }; // The next 4 are user-supplied CSS classes. /** * The user-supplied CSS classes to add to a drag item on hover (not during a * drag action). * @type {Array|undefined} * @private */ goog.fx.DragListGroup.prototype.dragItemHoverClasses_; /** * The user-supplied CSS classes to add to a drag item handle on hover (not * during a drag action). * @type {Array|undefined} * @private */ goog.fx.DragListGroup.prototype.dragItemHandleHoverClasses_; /** * The user-supplied CSS classes to add to the current drag item (during a drag * action). * @type {Array|undefined} * @private */ goog.fx.DragListGroup.prototype.currDragItemClasses_; /** * The user-supplied CSS class to add to the clone of the current drag item * that's actually being dragged around (during a drag action). * @type {string|undefined} * @private */ goog.fx.DragListGroup.prototype.draggerElClass_; // The next 5 are info applicable during a drag action. /** * The current drag item being moved. * Note: This is only defined while a drag action is happening. * @type {Element} * @private */ goog.fx.DragListGroup.prototype.currDragItem_; /** * The drag list that {@code this.currDragItem_} is currently hovering over, or * null if it is not hovering over a list. * @type {Element} * @private */ goog.fx.DragListGroup.prototype.currHoverList_; /** * The original drag list that the current drag item came from. We need to * remember this in case the user drops the item outside of any lists, in which * case we return the item to its original location. * Note: This is only defined while a drag action is happening. * @type {Element} * @private */ goog.fx.DragListGroup.prototype.origList_; /** * The original next item in the original list that the current drag item came * from. We need to remember this in case the user drops the item outside of * any lists, in which case we return the item to its original location. * Note: This is only defined while a drag action is happening. * @type {Element} * @private */ goog.fx.DragListGroup.prototype.origNextItem_; /** * The current item in the list we are hovering over. We need to remember * this in case we do not update the position of the current drag item while * dragging (see {@code updateWhileDragging_}). In this case the current drag * item will be inserted into the list before this element when the drag ends. * @type {Element} * @private */ goog.fx.DragListGroup.prototype.currHoverItem_; /** * The clone of the current drag item that's actually being dragged around. * Note: This is only defined while a drag action is happening. * @type {Element} * @private */ goog.fx.DragListGroup.prototype.draggerEl_; /** * The dragger object. * Note: This is only defined while a drag action is happening. * @type {goog.fx.Dragger} * @private */ goog.fx.DragListGroup.prototype.dragger_; /** * The amount of distance, in pixels, after which a mousedown or touchstart is * considered a drag. * @type {number} * @private */ goog.fx.DragListGroup.prototype.hysteresisDistance_ = 0; /** * Sets the property of the currDragItem that it is always displayed in the * list. */ goog.fx.DragListGroup.prototype.setIsCurrDragItemAlwaysDisplayed = function() { this.isCurrDragItemAlwaysDisplayed_ = true; }; /** * Sets the private property updateWhileDragging_ to false. This disables the * update of the position of the currDragItem while dragging. It will only be * placed to its new location once the drag ends. */ goog.fx.DragListGroup.prototype.setNoUpdateWhileDragging = function() { this.updateWhileDragging_ = false; }; /** * Sets the distance the user has to drag the element before a drag operation * is started. * @param {number} distance The number of pixels after which a mousedown and * move is considered a drag. */ goog.fx.DragListGroup.prototype.setHysteresis = function(distance) { this.hysteresisDistance_ = distance; }; /** * @return {number} distance The number of pixels after which a mousedown and * move is considered a drag. */ goog.fx.DragListGroup.prototype.getHysteresis = function() { return this.hysteresisDistance_; }; /** * Adds a drag list to this DragListGroup. * All calls to this method must happen before the call to init(). * Remember that all child nodes (except text nodes) will be made draggable to * any other drag list in this group. * * @param {Element} dragListElement Must be a container for a list of items * that should all be made draggable. * @param {goog.fx.DragListDirection} growthDirection The direction that this * drag list grows in (i.e. if an item is appended to the DOM, the list's * bounding box expands in this direction). * @param {boolean=} opt_unused Unused argument. * @param {string=} opt_dragHoverClass CSS class to apply to this drag list when * the draggerEl hovers over it during a drag action. */ goog.fx.DragListGroup.prototype.addDragList = function( dragListElement, growthDirection, opt_unused, opt_dragHoverClass) { goog.asserts.assert(!this.isInitialized_); dragListElement.dlgGrowthDirection_ = growthDirection; dragListElement.dlgDragHoverClass_ = opt_dragHoverClass; this.dragLists_.push(dragListElement); }; /** * Sets a user-supplied function used to get the "handle" element for a drag * item. The function must accept exactly one argument. The argument may be * any drag item element. * * If not set, the default implementation uses the whole drag item as the * handle. * * @param {function(Element): Element} getHandleForDragItemFn A function that, * given any drag item, returns a reference to its "handle" element * (which may be the drag item element itself). */ goog.fx.DragListGroup.prototype.setFunctionToGetHandleForDragItem = function( getHandleForDragItemFn) { goog.asserts.assert(!this.isInitialized_); this.getHandleForDragItem_ = getHandleForDragItemFn; }; /** * Sets a user-supplied CSS class to add to a drag item on hover (not during a * drag action). * @param {...!string} var_args The CSS class or classes. */ goog.fx.DragListGroup.prototype.setDragItemHoverClass = function(var_args) { goog.asserts.assert(!this.isInitialized_); this.dragItemHoverClasses_ = goog.array.slice(arguments, 0); }; /** * Sets a user-supplied CSS class to add to a drag item handle on hover (not * during a drag action). * @param {...!string} var_args The CSS class or classes. */ goog.fx.DragListGroup.prototype.setDragItemHandleHoverClass = function( var_args) { goog.asserts.assert(!this.isInitialized_); this.dragItemHandleHoverClasses_ = goog.array.slice(arguments, 0); }; /** * Sets a user-supplied CSS class to add to the current drag item (during a * drag action). * * If not set, the default behavior adds visibility:hidden to the current drag * item so that it is a block of empty space in the hover drag list (if any). * If this class is set by the user, then the default behavior does not happen * (unless, of course, the class also contains visibility:hidden). * * @param {...!string} var_args The CSS class or classes. */ goog.fx.DragListGroup.prototype.setCurrDragItemClass = function(var_args) { goog.asserts.assert(!this.isInitialized_); this.currDragItemClasses_ = goog.array.slice(arguments, 0); }; /** * Sets a user-supplied CSS class to add to the clone of the current drag item * that's actually being dragged around (during a drag action). * @param {string} draggerElClass The CSS class. */ goog.fx.DragListGroup.prototype.setDraggerElClass = function(draggerElClass) { goog.asserts.assert(!this.isInitialized_); this.draggerElClass_ = draggerElClass; }; /** * Performs the initial setup to make all items in all lists draggable. */ goog.fx.DragListGroup.prototype.init = function() { if (this.isInitialized_) { return; } for (var i = 0, numLists = this.dragLists_.length; i < numLists; i++) { var dragList = this.dragLists_[i]; var dragItems = goog.dom.getChildren(dragList); for (var j = 0, numItems = dragItems.length; j < numItems; ++j) { var dragItem = dragItems[j]; var dragItemHandle = this.getHandleForDragItem_(dragItem); var uid = goog.getUid(dragItemHandle); this.dragItemForHandle_[uid] = dragItem; if (this.dragItemHoverClasses_) { this.eventHandler_.listen( dragItem, goog.events.EventType.MOUSEOVER, this.handleDragItemMouseover_); this.eventHandler_.listen( dragItem, goog.events.EventType.MOUSEOUT, this.handleDragItemMouseout_); } if (this.dragItemHandleHoverClasses_) { this.eventHandler_.listen( dragItemHandle, goog.events.EventType.MOUSEOVER, this.handleDragItemHandleMouseover_); this.eventHandler_.listen( dragItemHandle, goog.events.EventType.MOUSEOUT, this.handleDragItemHandleMouseout_); } this.dragItems_.push(dragItem); this.eventHandler_.listen(dragItemHandle, [goog.events.EventType.MOUSEDOWN, goog.events.EventType.TOUCHSTART], this.handlePotentialDragStart_); } } this.isInitialized_ = true; }; /** @override */ goog.fx.DragListGroup.prototype.disposeInternal = function() { this.eventHandler_.dispose(); for (var i = 0, n = this.dragLists_.length; i < n; i++) { var dragList = this.dragLists_[i]; // Note: IE doesn't allow 'delete' for fields on HTML elements (because // they're not real JS objects in IE), so we just set them to undefined. dragList.dlgGrowthDirection_ = undefined; dragList.dlgDragHoverClass_ = undefined; } this.dragLists_.length = 0; this.dragItems_.length = 0; this.dragItemForHandle_ = null; // In the case where a drag event is currently in-progress and dispose is // called, this cleans up the extra state. this.cleanupDragDom_(); goog.fx.DragListGroup.superClass_.disposeInternal.call(this); }; /** * Caches the heights of each drag list and drag item, except for the current * drag item. * * @param {Element} currDragItem The item currently being dragged. * @private */ goog.fx.DragListGroup.prototype.recacheListAndItemBounds_ = function( currDragItem) { for (var i = 0, n = this.dragLists_.length; i < n; i++) { var dragList = this.dragLists_[i]; dragList.dlgBounds_ = goog.style.getBounds(dragList); } for (var i = 0, n = this.dragItems_.length; i < n; i++) { var dragItem = this.dragItems_[i]; if (dragItem != currDragItem) { dragItem.dlgBounds_ = goog.style.getBounds(dragItem); } } }; /** * Handles mouse and touch events which may start a drag action. * @param {!goog.events.BrowserEvent} e MOUSEDOWN or TOUCHSTART event. * @private */ goog.fx.DragListGroup.prototype.handlePotentialDragStart_ = function(e) { var uid = goog.getUid(/** @type {Node} */ (e.currentTarget)); this.currDragItem_ = /** @type {Element} */ (this.dragItemForHandle_[uid]); this.draggerEl_ = this.cloneNode_(this.currDragItem_); if (this.draggerElClass_) { // Add CSS class for the clone, if any. goog.dom.classes.add(this.draggerEl_, this.draggerElClass_); } // Place the clone (i.e. draggerEl) at the same position as the actual // current drag item. This is a bit tricky since // goog.style.getPageOffset() gets the left-top pos of the border, but // goog.style.setPageOffset() sets the left-top pos of the margin. // It's difficult to adjust for the margins of the clone because it's // difficult to read it: goog.style.getComputedStyle() doesn't work for IE. // Instead, our workaround is simply to set the clone's margins to 0px. this.draggerEl_.style.margin = '0'; this.draggerEl_.style.position = 'absolute'; this.draggerEl_.style.visibility = 'hidden'; var doc = goog.dom.getOwnerDocument(this.currDragItem_); doc.body.appendChild(this.draggerEl_); // Important: goog.style.setPageOffset() only works correctly for IE when the // element is already in the document. var currDragItemPos = goog.style.getPageOffset(this.currDragItem_); goog.style.setPageOffset(this.draggerEl_, currDragItemPos); this.dragger_ = new goog.fx.Dragger(this.draggerEl_); this.dragger_.setHysteresis(this.hysteresisDistance_); // Listen to events on the dragger. These handlers will be unregistered at // DRAGEND, when the dragger is disposed of. We can't use eventHandler_, // because it creates new references to the handler functions at each // dragging action, and keeps them until DragListGroup is disposed of. goog.events.listen(this.dragger_, goog.fx.Dragger.EventType.START, this.handleDragStart_, false, this); goog.events.listen(this.dragger_, goog.fx.Dragger.EventType.END, this.handleDragEnd_, false, this); goog.events.listen(this.dragger_, goog.fx.Dragger.EventType.EARLY_CANCEL, this.cleanup_, false, this); this.dragger_.startDrag(e); }; /** * Handles the start of a drag action. * @param {!goog.fx.DragEvent} e goog.fx.Dragger.EventType.START event. * @private */ goog.fx.DragListGroup.prototype.handleDragStart_ = function(e) { if (!this.dispatchEvent(new goog.fx.DragListGroupEvent( goog.fx.DragListGroup.EventType.BEFOREDRAGSTART, this, e.browserEvent, this.currDragItem_, null, null))) { e.preventDefault(); this.cleanup_(); return; } // Record the original location of the current drag item. // Note: this.origNextItem_ may be null. this.origList_ = /** @type {Element} */ (this.currDragItem_.parentNode); this.origNextItem_ = goog.dom.getNextElementSibling(this.currDragItem_); this.currHoverItem_ = this.origNextItem_; this.currHoverList_ = this.origList_; // If there's a CSS class specified for the current drag item, add it. // Otherwise, make the actual current drag item hidden (takes up space). if (this.currDragItemClasses_) { goog.dom.classes.add.apply(null, goog.array.concat(this.currDragItem_, this.currDragItemClasses_)); } else { this.currDragItem_.style.visibility = 'hidden'; } // Precompute distances from top-left corner to center for efficiency. var draggerElSize = goog.style.getSize(this.draggerEl_); this.draggerEl_.halfWidth = draggerElSize.width / 2; this.draggerEl_.halfHeight = draggerElSize.height / 2; this.draggerEl_.style.visibility = ''; // Record the bounds of all the drag lists and all the other drag items. This // caching is for efficiency, so that we don't have to recompute the bounds on // each drag move. Do this in the state where the current drag item is not in // any of the lists, except when update while dragging is disabled, as in this // case the current drag item does not get removed until drag ends. if (this.updateWhileDragging_) { this.currDragItem_.style.display = 'none'; } this.recacheListAndItemBounds_(this.currDragItem_); this.currDragItem_.style.display = ''; // Listen to events on the dragger. goog.events.listen(this.dragger_, goog.fx.Dragger.EventType.DRAG, this.handleDragMove_, false, this); this.dispatchEvent( new goog.fx.DragListGroupEvent( goog.fx.DragListGroup.EventType.DRAGSTART, this, e.browserEvent, this.currDragItem_, this.draggerEl_, this.dragger_)); }; /** * Handles a drag movement (i.e. DRAG event fired by the dragger). * * @param {goog.fx.DragEvent} dragEvent Event object fired by the dragger. * @return {boolean} The return value for the event. * @private */ goog.fx.DragListGroup.prototype.handleDragMove_ = function(dragEvent) { // Compute the center of the dragger element (i.e. the cloned drag item). var draggerElPos = goog.style.getPageOffset(this.draggerEl_); var draggerElCenter = new goog.math.Coordinate( draggerElPos.x + this.draggerEl_.halfWidth, draggerElPos.y + this.draggerEl_.halfHeight); // Check whether the center is hovering over one of the drag lists. var hoverList = this.getHoverDragList_(draggerElCenter); // If hovering over a list, find the next item (if drag were to end now). var hoverNextItem = hoverList ? this.getHoverNextItem_(hoverList, draggerElCenter) : null; var rv = this.dispatchEvent( new goog.fx.DragListGroupEvent( goog.fx.DragListGroup.EventType.BEFOREDRAGMOVE, this, dragEvent, this.currDragItem_, this.draggerEl_, this.dragger_, draggerElCenter, hoverList, hoverNextItem)); if (!rv) { return false; } if (hoverList) { if (this.updateWhileDragging_) { this.insertCurrDragItem_(hoverList, hoverNextItem); } else { // If update while dragging is disabled do not insert // the dragged item, but update the hovered item instead. this.updateCurrHoverItem(hoverNextItem, draggerElCenter); } this.currDragItem_.style.display = ''; // Add drag list's hover class (if any). if (hoverList.dlgDragHoverClass_) { goog.dom.classes.add(hoverList, hoverList.dlgDragHoverClass_); } } else { // Not hovering over a drag list, so remove the item altogether unless // specified otherwise by the user. if (!this.isCurrDragItemAlwaysDisplayed_) { this.currDragItem_.style.display = 'none'; } // Remove hover classes (if any) from all drag lists. for (var i = 0, n = this.dragLists_.length; i < n; i++) { var dragList = this.dragLists_[i]; if (dragList.dlgDragHoverClass_) { goog.dom.classes.remove(dragList, dragList.dlgDragHoverClass_); } } } // If the current hover list is different than the last, the lists may have // shrunk, so we should recache the bounds. if (hoverList != this.currHoverList_) { this.currHoverList_ = hoverList; this.recacheListAndItemBounds_(this.currDragItem_); } this.dispatchEvent( new goog.fx.DragListGroupEvent( goog.fx.DragListGroup.EventType.DRAGMOVE, this, dragEvent, /** @type {Element} */ (this.currDragItem_), this.draggerEl_, this.dragger_, draggerElCenter, hoverList, hoverNextItem)); // Return false to prevent selection due to mouse drag. return false; }; /** * Clear all our temporary fields that are only defined while dragging, and * all the bounds info stored on the drag lists and drag elements. * @param {!goog.events.Event=} opt_e EARLY_CANCEL event from the dragger if * cleanup_ was called as an event handler. * @private */ goog.fx.DragListGroup.prototype.cleanup_ = function(opt_e) { this.cleanupDragDom_(); this.currDragItem_ = null; this.currHoverList_ = null; this.origList_ = null; this.origNextItem_ = null; this.draggerEl_ = null; this.dragger_ = null; // Note: IE doesn't allow 'delete' for fields on HTML elements (because // they're not real JS objects in IE), so we just set them to null. for (var i = 0, n = this.dragLists_.length; i < n; i++) { this.dragLists_[i].dlgBounds_ = null; } for (var i = 0, n = this.dragItems_.length; i < n; i++) { this.dragItems_[i].dlgBounds_ = null; } }; /** * Handles the end or the cancellation of a drag action, i.e. END or CLEANUP * event fired by the dragger. * * @param {!goog.fx.DragEvent} dragEvent Event object fired by the dragger. * @return {boolean} Whether the event was handled. * @private */ goog.fx.DragListGroup.prototype.handleDragEnd_ = function(dragEvent) { var rv = this.dispatchEvent( new goog.fx.DragListGroupEvent( goog.fx.DragListGroup.EventType.BEFOREDRAGEND, this, dragEvent, /** @type {Element} */ (this.currDragItem_), this.draggerEl_, this.dragger_)); if (!rv) { return false; } // If update while dragging is disabled insert the current drag item into // its intended location. if (!this.updateWhileDragging_) { this.insertCurrHoverItem(); } // The DRAGEND handler may need the new order of the list items. Clean up the // garbage. // TODO(user): Regression test. this.cleanupDragDom_(); this.dispatchEvent( new goog.fx.DragListGroupEvent( goog.fx.DragListGroup.EventType.DRAGEND, this, dragEvent, this.currDragItem_, this.draggerEl_, this.dragger_)); this.cleanup_(); return true; }; /** * Cleans up DOM changes that are made by the {@code handleDrag*} methods. * @private */ goog.fx.DragListGroup.prototype.cleanupDragDom_ = function() { // Disposes of the dragger and remove the cloned drag item. goog.dispose(this.dragger_); if (this.draggerEl_) { goog.dom.removeNode(this.draggerEl_); } // If the current drag item is not in any list, put it back in its original // location. if (this.currDragItem_ && this.currDragItem_.style.display == 'none') { // Note: this.origNextItem_ may be null, but insertBefore() still works. this.origList_.insertBefore(this.currDragItem_, this.origNextItem_); this.currDragItem_.style.display = ''; } // If there's a CSS class specified for the current drag item, remove it. // Otherwise, make the current drag item visible (instead of empty space). if (this.currDragItemClasses_ && this.currDragItem_) { goog.dom.classes.remove.apply(null, goog.array.concat(this.currDragItem_, this.currDragItemClasses_)); } else if (this.currDragItem_) { this.currDragItem_.style.visibility = 'visible'; } // Remove hover classes (if any) from all drag lists. for (var i = 0, n = this.dragLists_.length; i < n; i++) { var dragList = this.dragLists_[i]; if (dragList.dlgDragHoverClass_) { goog.dom.classes.remove(dragList, dragList.dlgDragHoverClass_); } } }; /** * Default implementation of the function to get the "handle" element for a * drag item. By default, we use the whole drag item as the handle. Users can * change this by calling setFunctionToGetHandleForDragItem(). * * @param {Element} dragItem The drag item to get the handle for. * @return {Element} The dragItem element itself. * @private */ goog.fx.DragListGroup.prototype.getHandleForDragItem_ = function(dragItem) { return dragItem; }; /** * Handles a MOUSEOVER event fired on a drag item. * @param {goog.events.BrowserEvent} e The event. * @private */ goog.fx.DragListGroup.prototype.handleDragItemMouseover_ = function(e) { goog.dom.classes.add.apply(null, goog.array.concat(/** @type {Element} */ (e.currentTarget), this.dragItemHoverClasses_)); }; /** * Handles a MOUSEOUT event fired on a drag item. * @param {goog.events.BrowserEvent} e The event. * @private */ goog.fx.DragListGroup.prototype.handleDragItemMouseout_ = function(e) { goog.dom.classes.remove.apply(null, goog.array.concat(/** @type {Element} */ (e.currentTarget), this.dragItemHoverClasses_)); }; /** * Handles a MOUSEOVER event fired on the handle element of a drag item. * @param {goog.events.BrowserEvent} e The event. * @private */ goog.fx.DragListGroup.prototype.handleDragItemHandleMouseover_ = function(e) { goog.dom.classes.add.apply(null, goog.array.concat(/** @type {Element} */ (e.currentTarget), this.dragItemHandleHoverClasses_)); }; /** * Handles a MOUSEOUT event fired on the handle element of a drag item. * @param {goog.events.BrowserEvent} e The event. * @private */ goog.fx.DragListGroup.prototype.handleDragItemHandleMouseout_ = function(e) { goog.dom.classes.remove.apply(null, goog.array.concat(/** @type {Element} */ (e.currentTarget), this.dragItemHandleHoverClasses_)); }; /** * Helper for handleDragMove_(). * Given the position of the center of the dragger element, figures out whether * it's currently hovering over any of the drag lists. * * @param {goog.math.Coordinate} draggerElCenter The center position of the * dragger element. * @return {Element} If currently hovering over a drag list, returns the drag * list element. Else returns null. * @private */ goog.fx.DragListGroup.prototype.getHoverDragList_ = function(draggerElCenter) { // If the current drag item was in a list last time we did this, then check // that same list first. var prevHoverList = null; if (this.currDragItem_.style.display != 'none') { prevHoverList = /** @type {Element} */ (this.currDragItem_.parentNode); // Important: We can't use the cached bounds for this list because the // cached bounds are based on the case where the current drag item is not // in the list. Since the current drag item is known to be in this list, we // must recompute the list's bounds. var prevHoverListBounds = goog.style.getBounds(prevHoverList); if (this.isInRect_(draggerElCenter, prevHoverListBounds)) { return prevHoverList; } } for (var i = 0, n = this.dragLists_.length; i < n; i++) { var dragList = this.dragLists_[i]; if (dragList == prevHoverList) { continue; } if (this.isInRect_(draggerElCenter, dragList.dlgBounds_)) { return dragList; } } return null; }; /** * Checks whether a coordinate position resides inside a rectangle. * @param {goog.math.Coordinate} pos The coordinate position. * @param {goog.math.Rect} rect The rectangle. * @return {boolean} True if 'pos' is within the bounds of 'rect'. * @private */ goog.fx.DragListGroup.prototype.isInRect_ = function(pos, rect) { return pos.x > rect.left && pos.x < rect.left + rect.width && pos.y > rect.top && pos.y < rect.top + rect.height; }; /** * Updates the value of currHoverItem_. * * This method is used for insertion only when updateWhileDragging_ is false. * The below implementation is the basic one. This method can be extended by * a subclass to support changes to hovered item (eg: highlighting). Parametr * opt_draggerElCenter can be used for more sophisticated effects. * * @param {Element} hoverNextItem element of the list that is hovered over. * @param {goog.math.Coordinate=} opt_draggerElCenter current position of * the dragged element. * @protected */ goog.fx.DragListGroup.prototype.updateCurrHoverItem = function( hoverNextItem, opt_draggerElCenter) { if (hoverNextItem) { this.currHoverItem_ = hoverNextItem; } }; /** * Inserts the currently dragged item in its new place. * * This method is used for insertion only when updateWhileDragging_ is false * (otherwise there is no need for that). In the basic implementation * the element is inserted before the currently hovered over item (this can * be changed by overriding the method in subclasses). * * @protected */ goog.fx.DragListGroup.prototype.insertCurrHoverItem = function() { this.origList_.insertBefore(this.currDragItem_, this.currHoverItem_); }; /** * Helper for handleDragMove_(). * Given the position of the center of the dragger element, plus the drag list * that it's currently hovering over, figures out the next drag item in the * list that follows the current position of the dragger element. (I.e. if * the drag action ends right now, it would become the item after the current * drag item.) * * @param {Element} hoverList The drag list that we're hovering over. * @param {goog.math.Coordinate} draggerElCenter The center position of the * dragger element. * @return {Element} Returns the earliest item in the hover list that belongs * after the current position of the dragger element. If all items in the * list should come before the current drag item, then returns null. * @private */ goog.fx.DragListGroup.prototype.getHoverNextItem_ = function( hoverList, draggerElCenter) { if (hoverList == null) { throw Error('getHoverNextItem_ called with null hoverList.'); } // The definition of what it means for the draggerEl to be "before" a given // item in the hover drag list is not always the same. It changes based on // the growth direction of the hover drag list in question. /** @type {number} */ var relevantCoord; var getRelevantBoundFn; var isBeforeFn; var pickClosestRow = false; var distanceToClosestRow = undefined; switch (hoverList.dlgGrowthDirection_) { case goog.fx.DragListDirection.DOWN: // "Before" means draggerElCenter.y is less than item's bottom y-value. relevantCoord = draggerElCenter.y; getRelevantBoundFn = goog.fx.DragListGroup.getBottomBound_; isBeforeFn = goog.fx.DragListGroup.isLessThan_; break; case goog.fx.DragListDirection.RIGHT_2D: pickClosestRow = true; case goog.fx.DragListDirection.RIGHT: // "Before" means draggerElCenter.x is less than item's right x-value. relevantCoord = draggerElCenter.x; getRelevantBoundFn = goog.fx.DragListGroup.getRightBound_; isBeforeFn = goog.fx.DragListGroup.isLessThan_; break; case goog.fx.DragListDirection.LEFT_2D: pickClosestRow = true; case goog.fx.DragListDirection.LEFT: // "Before" means draggerElCenter.x is greater than item's left x-value. relevantCoord = draggerElCenter.x; getRelevantBoundFn = goog.fx.DragListGroup.getLeftBound_; isBeforeFn = goog.fx.DragListGroup.isGreaterThan_; break; } // This holds the earliest drag item found so far that should come after // this.currDragItem_ in the hover drag list (based on draggerElCenter). var earliestAfterItem = null; // This is the position of the relevant bound for the earliestAfterItem, // where "relevant" is determined by the growth direction of hoverList. var earliestAfterItemRelevantBound; var hoverListItems = goog.dom.getChildren(hoverList); for (var i = 0, n = hoverListItems.length; i < n; i++) { var item = hoverListItems[i]; if (item == this.currDragItem_) { continue; } var relevantBound = getRelevantBoundFn(item.dlgBounds_); // When the hoverlist is broken into multiple rows (i.e., in the case of // LEFT_2D and RIGHT_2D) it is no longer enough to only look at the // x-coordinate alone in order to find the {@earliestAfterItem} in the // hoverlist. Make sure it is chosen from the row closest to the // {@code draggerElCenter}. if (pickClosestRow) { var distanceToRow = goog.fx.DragListGroup.verticalDistanceFromItem_(item, draggerElCenter); // Initialize the distance to the closest row to the current value if // undefined. if (!goog.isDef(distanceToClosestRow)) { distanceToClosestRow = distanceToRow; } if (isBeforeFn(relevantCoord, relevantBound) && (earliestAfterItemRelevantBound == undefined || (distanceToRow < distanceToClosestRow) || ((distanceToRow == distanceToClosestRow) && (isBeforeFn(relevantBound, earliestAfterItemRelevantBound) || relevantBound == earliestAfterItemRelevantBound)))) { earliestAfterItem = item; earliestAfterItemRelevantBound = relevantBound; } // Update distance to closest row. if (distanceToRow < distanceToClosestRow) { distanceToClosestRow = distanceToRow; } } else if (isBeforeFn(relevantCoord, relevantBound) && (earliestAfterItemRelevantBound == undefined || isBeforeFn(relevantBound, earliestAfterItemRelevantBound))) { earliestAfterItem = item; earliestAfterItemRelevantBound = relevantBound; } } // If we ended up picking an element that is not in the closest row it can // only happen if we should have picked the last one in which case there is // no consecutive element. if (!goog.isNull(earliestAfterItem) && goog.fx.DragListGroup.verticalDistanceFromItem_( earliestAfterItem, draggerElCenter) > distanceToClosestRow) { return null; } else { return earliestAfterItem; } }; /** * Private helper for getHoverNextItem(). * Given an item and a target determine the vertical distance from the item's * center to the target. * @param {Element} item The item to measure the distance from. * @param {goog.math.Coordinate} target The (x,y) coordinate of the target * to measure the distance to. * @return {number} The vertical distance between the center of the item and * the target. * @private */ goog.fx.DragListGroup.verticalDistanceFromItem_ = function(item, target) { var itemBounds = item.dlgBounds_; var itemCenterY = itemBounds.top + (itemBounds.height - 1) / 2; return Math.abs(target.y - itemCenterY); }; /** * Private helper for getHoverNextItem_(). * Given the bounds of an item, computes the item's bottom y-value. * @param {goog.math.Rect} itemBounds The bounds of the item. * @return {number} The item's bottom y-value. * @private */ goog.fx.DragListGroup.getBottomBound_ = function(itemBounds) { return itemBounds.top + itemBounds.height - 1; }; /** * Private helper for getHoverNextItem_(). * Given the bounds of an item, computes the item's right x-value. * @param {goog.math.Rect} itemBounds The bounds of the item. * @return {number} The item's right x-value. * @private */ goog.fx.DragListGroup.getRightBound_ = function(itemBounds) { return itemBounds.left + itemBounds.width - 1; }; /** * Private helper for getHoverNextItem_(). * Given the bounds of an item, computes the item's left x-value. * @param {goog.math.Rect} itemBounds The bounds of the item. * @return {number} The item's left x-value. * @private */ goog.fx.DragListGroup.getLeftBound_ = function(itemBounds) { return itemBounds.left || 0; }; /** * Private helper for getHoverNextItem_(). * @param {number} a Number to compare. * @param {number} b Number to compare. * @return {boolean} Whether a is less than b. * @private */ goog.fx.DragListGroup.isLessThan_ = function(a, b) { return a < b; }; /** * Private helper for getHoverNextItem_(). * @param {number} a Number to compare. * @param {number} b Number to compare. * @return {boolean} Whether a is greater than b. * @private */ goog.fx.DragListGroup.isGreaterThan_ = function(a, b) { return a > b; }; /** * Inserts the current drag item to the appropriate location in the drag list * that we're hovering over (if the current drag item is not already there). * * @param {Element} hoverList The drag list we're hovering over. * @param {Element} hoverNextItem The next item in the hover drag list. * @private */ goog.fx.DragListGroup.prototype.insertCurrDragItem_ = function( hoverList, hoverNextItem) { if (this.currDragItem_.parentNode != hoverList || goog.dom.getNextElementSibling(this.currDragItem_) != hoverNextItem) { // The current drag item is not in the correct location, so we move it. // Note: hoverNextItem may be null, but insertBefore() still works. hoverList.insertBefore(this.currDragItem_, hoverNextItem); } }; /** * Note: Copied from abstractdragdrop.js. TODO(user): consolidate. * Creates copy of node being dragged. * * @param {Element} sourceEl Element to copy. * @return {Element} The clone of {@code sourceEl}. * @private */ goog.fx.DragListGroup.prototype.cloneNode_ = function(sourceEl) { var clonedEl = /** @type {Element} */ (sourceEl.cloneNode(true)); switch (sourceEl.tagName.toLowerCase()) { case 'tr': return goog.dom.createDom( 'table', null, goog.dom.createDom('tbody', null, clonedEl)); case 'td': case 'th': return goog.dom.createDom( 'table', null, goog.dom.createDom('tbody', null, goog.dom.createDom( 'tr', null, clonedEl))); default: return clonedEl; } }; /** * The event object dispatched by DragListGroup. * The fields draggerElCenter, hoverList, and hoverNextItem are only available * for the BEFOREDRAGMOVE and DRAGMOVE events. * * @param {string} type The event type string. * @param {goog.fx.DragListGroup} dragListGroup A reference to the associated * DragListGroup object. * @param {goog.events.BrowserEvent|goog.fx.DragEvent} event The event fired * by the browser or fired by the dragger. * @param {Element} currDragItem The current drag item being moved. * @param {Element} draggerEl The clone of the current drag item that's actually * being dragged around. * @param {goog.fx.Dragger} dragger The dragger object. * @param {goog.math.Coordinate=} opt_draggerElCenter The current center * position of the draggerEl. * @param {Element=} opt_hoverList The current drag list that's being hovered * over, or null if the center of draggerEl is outside of any drag lists. * If not null and the drag action ends right now, then currDragItem will * end up in this list. * @param {Element=} opt_hoverNextItem The current next item in the hoverList * that the draggerEl is hovering over. (I.e. If the drag action ends * right now, then this item would become the next item after the new * location of currDragItem.) May be null if not applicable or if * currDragItem would be added to the end of hoverList. * @constructor * @extends {goog.events.Event} */ goog.fx.DragListGroupEvent = function( type, dragListGroup, event, currDragItem, draggerEl, dragger, opt_draggerElCenter, opt_hoverList, opt_hoverNextItem) { goog.events.Event.call(this, type); /** * A reference to the associated DragListGroup object. * @type {goog.fx.DragListGroup} */ this.dragListGroup = dragListGroup; /** * The event fired by the browser or fired by the dragger. * @type {goog.events.BrowserEvent|goog.fx.DragEvent} */ this.event = event; /** * The current drag item being move. * @type {Element} */ this.currDragItem = currDragItem; /** * The clone of the current drag item that's actually being dragged around. * @type {Element} */ this.draggerEl = draggerEl; /** * The dragger object. * @type {goog.fx.Dragger} */ this.dragger = dragger; /** * The current center position of the draggerEl. * @type {goog.math.Coordinate|undefined} */ this.draggerElCenter = opt_draggerElCenter; /** * The current drag list that's being hovered over, or null if the center of * draggerEl is outside of any drag lists. (I.e. If not null and the drag * action ends right now, then currDragItem will end up in this list.) * @type {Element|undefined} */ this.hoverList = opt_hoverList; /** * The current next item in the hoverList that the draggerEl is hovering over. * (I.e. If the drag action ends right now, then this item would become the * next item after the new location of currDragItem.) May be null if not * applicable or if currDragItem would be added to the end of hoverList. * @type {Element|undefined} */ this.hoverNextItem = opt_hoverNextItem; }; goog.inherits(goog.fx.DragListGroupEvent, goog.events.Event);
JavaScript
// Copyright 2008 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview An animation class that animates CSS sprites by changing the * CSS background-position. * * @author arv@google.com (Erik Arvidsson) * @see ../demos/cssspriteanimation.html */ goog.provide('goog.fx.CssSpriteAnimation'); goog.require('goog.fx.Animation'); /** * This animation class is used to animate a CSS sprite (moving a background * image). This moves through a series of images in a single image sprite and * loops the animation when done. You should set up the * {@code background-image} and size in a CSS rule for the relevant element. * * @param {Element} element The HTML element to animate the background for. * @param {goog.math.Size} size The size of one image in the image sprite. * @param {goog.math.Box} box The box describing the layout of the sprites to * use in the large image. The sprites can be position horizontally or * vertically and using a box here allows the implementation to know which * way to go. * @param {number} time The duration in milliseconds for one iteration of the * animation. For example, if the sprite contains 4 images and the duration * is set to 400ms then each sprite will be displayed for 100ms. * @param {function(number) : number=} opt_acc Acceleration function, * returns 0-1 for inputs 0-1. This can be used to make certain frames be * shown for a longer period of time. * * @constructor * @extends {goog.fx.Animation} */ goog.fx.CssSpriteAnimation = function(element, size, box, time, opt_acc) { var start = [box.left, box.top]; // We never draw for the end so we do not need to subtract for the size var end = [box.right, box.bottom]; goog.base(this, start, end, time, opt_acc); /** * HTML element that will be used in the animation. * @type {Element} * @private */ this.element_ = element; /** * The size of an individual sprite in the image sprite. * @type {goog.math.Size} * @private */ this.size_ = size; }; goog.inherits(goog.fx.CssSpriteAnimation, goog.fx.Animation); /** @override */ goog.fx.CssSpriteAnimation.prototype.onAnimate = function() { // Round to nearest sprite. var x = -Math.floor(this.coords[0] / this.size_.width) * this.size_.width; var y = -Math.floor(this.coords[1] / this.size_.height) * this.size_.height; this.element_.style.backgroundPosition = x + 'px ' + y + 'px'; goog.base(this, 'onAnimate'); }; /** @override */ goog.fx.CssSpriteAnimation.prototype.onFinish = function() { this.play(true); goog.base(this, 'onFinish'); }; /** * Clears the background position style set directly on the element * by the animation. Allows to apply CSS styling for background position on the * same element when the sprite animation is not runniing. */ goog.fx.CssSpriteAnimation.prototype.clearSpritePosition = function() { var style = this.element_.style; style.backgroundPosition = ''; if (typeof style.backgroundPositionX != 'undefined') { // IE needs to clear x and y to actually clear the position style.backgroundPositionX = ''; style.backgroundPositionY = ''; } }; /** @override */ goog.fx.CssSpriteAnimation.prototype.disposeInternal = function() { goog.fx.CssSpriteAnimation.superClass_.disposeInternal.call(this); this.element_ = null; };
JavaScript
// Copyright 2011 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview CSS3 transition base library. * */ goog.provide('goog.fx.css3.Transition'); goog.require('goog.Timer'); goog.require('goog.fx.TransitionBase'); goog.require('goog.style'); goog.require('goog.style.transition'); /** * A class to handle targeted CSS3 transition. This class * handles common features required for targeted CSS3 transition. * * Browser that does not support CSS3 transition will still receive all * the events fired by the transition object, but will not have any transition * played. If the browser supports the final state as set in setFinalState * method, the element will ends in the final state. * * Transitioning multiple properties with the same setting is possible * by setting Css3Property's property to 'all'. Performing multiple * transitions can be done via setting multiple initialStyle, * finalStyle and transitions. Css3Property's delay can be used to * delay one of the transition. Here is an example for a transition * that expands on the width and then followed by the height: * * <pre> * initialStyle: {width: 10px, height: 10px} * finalStyle: {width: 100px, height: 100px} * transitions: [ * {property: width, duration: 1, timing: 'ease-in', delay: 0}, * {property: height, duration: 1, timing: 'ease-in', delay: 1} * ] * </pre> * * @param {Element} element The element to be transitioned. * @param {number} duration The duration of the transition in seconds. * This should be the longest of all transitions. * @param {Object} initialStyle Initial style properties of the element before * animating. Set using {@code goog.style.setStyle}. * @param {Object} finalStyle Final style properties of the element after * animating. Set using {@code goog.style.setStyle}. * @param {goog.style.transition.Css3Property| * Array.<goog.style.transition.Css3Property>} transitions A single CSS3 * transition property or an array of it. * @extends {goog.fx.TransitionBase} * @constructor */ goog.fx.css3.Transition = function( element, duration, initialStyle, finalStyle, transitions) { goog.base(this); /** * @type {Element} * @private */ this.element_ = element; /** * @type {number} * @private */ this.duration_ = duration; /** * @type {Object} * @private */ this.initialStyle_ = initialStyle; /** * @type {Object} * @private */ this.finalStyle_ = finalStyle; /** * @type {Array.<goog.style.transition.Css3Property>} * @private */ this.transitions_ = goog.isArray(transitions) ? transitions : [transitions]; }; goog.inherits(goog.fx.css3.Transition, goog.fx.TransitionBase); /** * Timer id to be used to cancel animation part-way. * @type {number} * @private */ goog.fx.css3.Transition.prototype.timerId_; /** @override */ goog.fx.css3.Transition.prototype.play = function() { if (this.isPlaying()) { return false; } this.onBegin(); this.onPlay(); this.startTime = goog.now(); this.setStatePlaying(); if (goog.style.transition.isSupported()) { goog.style.setStyle(this.element_, this.initialStyle_); // Allow element to get updated to its initial state before installing // CSS3 transition. this.timerId_ = goog.Timer.callOnce(this.play_, undefined, this); return true; } else { this.stop_(false); return false; } }; /** * Helper method for play method. This needs to be executed on a timer. * @private */ goog.fx.css3.Transition.prototype.play_ = function() { goog.style.transition.set(this.element_, this.transitions_); goog.style.setStyle(this.element_, this.finalStyle_); this.timerId_ = goog.Timer.callOnce( goog.bind(this.stop_, this, false), this.duration_ * 1000); }; /** @override */ goog.fx.css3.Transition.prototype.stop = function() { if (!this.isPlaying()) return; this.stop_(true); }; /** * Helper method for stop method. * @param {boolean} stopped If the transition was stopped. * @private */ goog.fx.css3.Transition.prototype.stop_ = function(stopped) { goog.style.transition.removeAll(this.element_); // Clear the timer. goog.Timer.clear(this.timerId_); // Make sure that we have reached the final style. goog.style.setStyle(this.element_, this.finalStyle_); this.endTime = goog.now(); this.setStateStopped(); if (stopped) { this.onStop(); } else { this.onFinish(); } this.onEnd(); }; /** @override */ goog.fx.css3.Transition.prototype.disposeInternal = function() { this.stop(); goog.base(this, 'disposeInternal'); }; /** * Pausing CSS3 Transitions in not supported. * @override */ goog.fx.css3.Transition.prototype.pause = function() { goog.asserts.assert(false, 'Css3 transitions does not support pause action.'); };
JavaScript
// Copyright 2011 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview A collection of CSS3 targeted animation, based on * {@code goog.fx.css3.Transition}. * */ goog.provide('goog.fx.css3'); goog.require('goog.fx.css3.Transition'); /** * Creates a transition to fade the element. * @param {Element} element The element to fade. * @param {number} duration Duration in seconds. * @param {string} timing The CSS3 timing function. * @param {number} startOpacity Starting opacity. * @param {number} endOpacity Ending opacity. * @return {!goog.fx.css3.Transition} The transition object. */ goog.fx.css3.fade = function( element, duration, timing, startOpacity, endOpacity) { return new goog.fx.css3.Transition( element, duration, {'opacity': startOpacity}, {'opacity': endOpacity}, {property: 'opacity', duration: duration, timing: timing, delay: 0}); }; /** * Creates a transition to fade in the element. * @param {Element} element The element to fade in. * @param {number} duration Duration in seconds. * @return {!goog.fx.css3.Transition} The transition object. */ goog.fx.css3.fadeIn = function(element, duration) { return goog.fx.css3.fade(element, duration, 'ease-out', 0, 1); }; /** * Creates a transition to fade out the element. * @param {Element} element The element to fade out. * @param {number} duration Duration in seconds. * @return {!goog.fx.css3.Transition} The transition object. */ goog.fx.css3.fadeOut = function(element, duration) { return goog.fx.css3.fade(element, duration, 'ease-in', 1, 0); };
JavaScript
// Copyright 2006 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Drag Utilities. * * Provides extensible functionality for drag & drop behaviour. * * @see ../demos/drag.html * @see ../demos/dragger.html */ goog.provide('goog.fx.DragEvent'); goog.provide('goog.fx.Dragger'); goog.provide('goog.fx.Dragger.EventType'); goog.require('goog.dom'); goog.require('goog.events'); goog.require('goog.events.BrowserEvent.MouseButton'); goog.require('goog.events.Event'); goog.require('goog.events.EventHandler'); goog.require('goog.events.EventTarget'); goog.require('goog.events.EventType'); goog.require('goog.math.Coordinate'); goog.require('goog.math.Rect'); goog.require('goog.style'); goog.require('goog.style.bidi'); goog.require('goog.userAgent'); /** * A class that allows mouse or touch-based dragging (moving) of an element * * @param {Element} target The element that will be dragged. * @param {Element=} opt_handle An optional handle to control the drag, if null * the target is used. * @param {goog.math.Rect=} opt_limits Object containing left, top, width, * and height. * * @extends {goog.events.EventTarget} * @constructor */ goog.fx.Dragger = function(target, opt_handle, opt_limits) { goog.events.EventTarget.call(this); this.target = target; this.handle = opt_handle || target; this.limits = opt_limits || new goog.math.Rect(NaN, NaN, NaN, NaN); this.document_ = goog.dom.getOwnerDocument(target); this.eventHandler_ = new goog.events.EventHandler(this); // Add listener. Do not use the event handler here since the event handler is // used for listeners added and removed during the drag operation. goog.events.listen(this.handle, [goog.events.EventType.TOUCHSTART, goog.events.EventType.MOUSEDOWN], this.startDrag, false, this); }; goog.inherits(goog.fx.Dragger, goog.events.EventTarget); /** * Whether setCapture is supported by the browser. * @type {boolean} * @private */ goog.fx.Dragger.HAS_SET_CAPTURE_ = // IE and Gecko after 1.9.3 has setCapture // WebKit does not yet: https://bugs.webkit.org/show_bug.cgi?id=27330 goog.userAgent.IE || goog.userAgent.GECKO && goog.userAgent.isVersion('1.9.3'); /** * Constants for event names. * @enum {string} */ goog.fx.Dragger.EventType = { // The drag action was canceled before the START event. Possible reasons: // disabled dragger, dragging with the right mouse button or releasing the // button before reaching the hysteresis distance. EARLY_CANCEL: 'earlycancel', START: 'start', BEFOREDRAG: 'beforedrag', DRAG: 'drag', END: 'end' }; /** * Reference to drag target element. * @type {Element} */ goog.fx.Dragger.prototype.target; /** * Reference to the handler that initiates the drag. * @type {Element} */ goog.fx.Dragger.prototype.handle; /** * Object representing the limits of the drag region. * @type {goog.math.Rect} */ goog.fx.Dragger.prototype.limits; /** * Whether the element is rendered right-to-left. We initialize this lazily. * @type {boolean|undefined}} * @private */ goog.fx.Dragger.prototype.rightToLeft_; /** * Current x position of mouse or touch relative to viewport. * @type {number} */ goog.fx.Dragger.prototype.clientX = 0; /** * Current y position of mouse or touch relative to viewport. * @type {number} */ goog.fx.Dragger.prototype.clientY = 0; /** * Current x position of mouse or touch relative to screen. Deprecated because * it doesn't take into affect zoom level or pixel density. * @type {number} * @deprecated Consider switching to clientX instead. */ goog.fx.Dragger.prototype.screenX = 0; /** * Current y position of mouse or touch relative to screen. Deprecated because * it doesn't take into affect zoom level or pixel density. * @type {number} * @deprecated Consider switching to clientY instead. */ goog.fx.Dragger.prototype.screenY = 0; /** * The x position where the first mousedown or touchstart occurred. * @type {number} */ goog.fx.Dragger.prototype.startX = 0; /** * The y position where the first mousedown or touchstart occurred. * @type {number} */ goog.fx.Dragger.prototype.startY = 0; /** * Current x position of drag relative to target's parent. * @type {number} */ goog.fx.Dragger.prototype.deltaX = 0; /** * Current y position of drag relative to target's parent. * @type {number} */ goog.fx.Dragger.prototype.deltaY = 0; /** * The current page scroll value. * @type {goog.math.Coordinate} */ goog.fx.Dragger.prototype.pageScroll; /** * Whether dragging is currently enabled. * @type {boolean} * @private */ goog.fx.Dragger.prototype.enabled_ = true; /** * Whether object is currently being dragged. * @type {boolean} * @private */ goog.fx.Dragger.prototype.dragging_ = false; /** * The amount of distance, in pixels, after which a mousedown or touchstart is * considered a drag. * @type {number} * @private */ goog.fx.Dragger.prototype.hysteresisDistanceSquared_ = 0; /** * Timestamp of when the mousedown or touchstart occurred. * @type {number} * @private */ goog.fx.Dragger.prototype.mouseDownTime_ = 0; /** * Reference to a document object to use for the events. * @type {Document} * @private */ goog.fx.Dragger.prototype.document_; /** * Event handler used to simplify managing events. * @type {goog.events.EventHandler} * @private */ goog.fx.Dragger.prototype.eventHandler_; /** * The SCROLL event target used to make drag element follow scrolling. * @type {EventTarget} * @private */ goog.fx.Dragger.prototype.scrollTarget_; /** * Whether IE drag events cancelling is on. * @type {boolean} * @private */ goog.fx.Dragger.prototype.ieDragStartCancellingOn_ = false; /** * Whether the dragger implements the changes described in http://b/6324964, * making it truly RTL. This is a temporary flag to allow clients to transition * to the new behavior at their convenience. At some point it will be the * default. * @type {boolean} * @private */ goog.fx.Dragger.prototype.useRightPositioningForRtl_ = false; /** * Turns on/off true RTL behavior. This should be called immediately after * construction. This is a temporary flag to allow clients to transition * to the new component at their convenience. At some point true will be the * default. * @param {boolean} useRightPositioningForRtl True if "right" should be used for * positioning, false if "left" should be used for positioning. */ goog.fx.Dragger.prototype.enableRightPositioningForRtl = function(useRightPositioningForRtl) { this.useRightPositioningForRtl_ = useRightPositioningForRtl; }; /** * Returns the event handler, intended for subclass use. * @return {goog.events.EventHandler} The event handler. */ goog.fx.Dragger.prototype.getHandler = function() { return this.eventHandler_; }; /** * Sets (or reset) the Drag limits after a Dragger is created. * @param {goog.math.Rect?} limits Object containing left, top, width, * height for new Dragger limits. If target is right-to-left and * enableRightPositioningForRtl(true) is called, then rect is interpreted as * right, top, width, and height. */ goog.fx.Dragger.prototype.setLimits = function(limits) { this.limits = limits || new goog.math.Rect(NaN, NaN, NaN, NaN); }; /** * Sets the distance the user has to drag the element before a drag operation is * started. * @param {number} distance The number of pixels after which a mousedown and * move is considered a drag. */ goog.fx.Dragger.prototype.setHysteresis = function(distance) { this.hysteresisDistanceSquared_ = Math.pow(distance, 2); }; /** * Gets the distance the user has to drag the element before a drag operation is * started. * @return {number} distance The number of pixels after which a mousedown and * move is considered a drag. */ goog.fx.Dragger.prototype.getHysteresis = function() { return Math.sqrt(this.hysteresisDistanceSquared_); }; /** * Sets the SCROLL event target to make drag element follow scrolling. * * @param {EventTarget} scrollTarget The event target that dispatches SCROLL * events. */ goog.fx.Dragger.prototype.setScrollTarget = function(scrollTarget) { this.scrollTarget_ = scrollTarget; }; /** * Enables cancelling of built-in IE drag events. * @param {boolean} cancelIeDragStart Whether to enable cancelling of IE * dragstart event. */ goog.fx.Dragger.prototype.setCancelIeDragStart = function(cancelIeDragStart) { this.ieDragStartCancellingOn_ = cancelIeDragStart; }; /** * @return {boolean} Whether the dragger is enabled. */ goog.fx.Dragger.prototype.getEnabled = function() { return this.enabled_; }; /** * Set whether dragger is enabled * @param {boolean} enabled Whether dragger is enabled. */ goog.fx.Dragger.prototype.setEnabled = function(enabled) { this.enabled_ = enabled; }; /** @override */ goog.fx.Dragger.prototype.disposeInternal = function() { goog.fx.Dragger.superClass_.disposeInternal.call(this); goog.events.unlisten(this.handle, [goog.events.EventType.TOUCHSTART, goog.events.EventType.MOUSEDOWN], this.startDrag, false, this); this.cleanUpAfterDragging_(); this.target = null; this.handle = null; this.eventHandler_ = null; }; /** * Whether the DOM element being manipulated is rendered right-to-left. * @return {boolean} True if the DOM element is rendered right-to-left, false * otherwise. * @private */ goog.fx.Dragger.prototype.isRightToLeft_ = function() { if (!goog.isDef(this.rightToLeft_)) { this.rightToLeft_ = goog.style.isRightToLeft(this.target); } return this.rightToLeft_; }; /** * Event handler that is used to start the drag * @param {goog.events.BrowserEvent} e Event object. */ goog.fx.Dragger.prototype.startDrag = function(e) { var isMouseDown = e.type == goog.events.EventType.MOUSEDOWN; // Dragger.startDrag() can be called by AbstractDragDrop with a mousemove // event and IE does not report pressed mouse buttons on mousemove. Also, // it does not make sense to check for the button if the user is already // dragging. if (this.enabled_ && !this.dragging_ && (!isMouseDown || e.isMouseActionButton())) { this.maybeReinitTouchEvent_(e); if (this.hysteresisDistanceSquared_ == 0) { if (this.fireDragStart_(e)) { this.dragging_ = true; e.preventDefault(); } else { // If the start drag is cancelled, don't setup for a drag. return; } } else { // Need to preventDefault for hysteresis to prevent page getting selected. e.preventDefault(); } this.setupDragHandlers(); this.clientX = this.startX = e.clientX; this.clientY = this.startY = e.clientY; this.screenX = e.screenX; this.screenY = e.screenY; this.deltaX = this.useRightPositioningForRtl_ ? goog.style.bidi.getOffsetStart(this.target) : this.target.offsetLeft; this.deltaY = this.target.offsetTop; this.pageScroll = goog.dom.getDomHelper(this.document_).getDocumentScroll(); this.mouseDownTime_ = goog.now(); } else { this.dispatchEvent(goog.fx.Dragger.EventType.EARLY_CANCEL); } }; /** * Sets up event handlers when dragging starts. * @protected */ goog.fx.Dragger.prototype.setupDragHandlers = function() { var doc = this.document_; var docEl = doc.documentElement; // Use bubbling when we have setCapture since we got reports that IE has // problems with the capturing events in combination with setCapture. var useCapture = !goog.fx.Dragger.HAS_SET_CAPTURE_; this.eventHandler_.listen(doc, [goog.events.EventType.TOUCHMOVE, goog.events.EventType.MOUSEMOVE], this.handleMove_, useCapture); this.eventHandler_.listen(doc, [goog.events.EventType.TOUCHEND, goog.events.EventType.MOUSEUP], this.endDrag, useCapture); if (goog.fx.Dragger.HAS_SET_CAPTURE_) { docEl.setCapture(false); this.eventHandler_.listen(docEl, goog.events.EventType.LOSECAPTURE, this.endDrag); } else { // Make sure we stop the dragging if the window loses focus. // Don't use capture in this listener because we only want to end the drag // if the actual window loses focus. Since blur events do not bubble we use // a bubbling listener on the window. this.eventHandler_.listen(goog.dom.getWindow(doc), goog.events.EventType.BLUR, this.endDrag); } if (goog.userAgent.IE && this.ieDragStartCancellingOn_) { // Cancel IE's 'ondragstart' event. this.eventHandler_.listen(doc, goog.events.EventType.DRAGSTART, goog.events.Event.preventDefault); } if (this.scrollTarget_) { this.eventHandler_.listen(this.scrollTarget_, goog.events.EventType.SCROLL, this.onScroll_, useCapture); } }; /** * Fires a goog.fx.Dragger.EventType.START event. * @param {goog.events.BrowserEvent} e Browser event that triggered the drag. * @return {boolean} False iff preventDefault was called on the DragEvent. * @private */ goog.fx.Dragger.prototype.fireDragStart_ = function(e) { return this.dispatchEvent(new goog.fx.DragEvent( goog.fx.Dragger.EventType.START, this, e.clientX, e.clientY, e)); }; /** * Unregisters the event handlers that are only active during dragging, and * releases mouse capture. * @private */ goog.fx.Dragger.prototype.cleanUpAfterDragging_ = function() { this.eventHandler_.removeAll(); if (goog.fx.Dragger.HAS_SET_CAPTURE_) { this.document_.releaseCapture(); } }; /** * Event handler that is used to end the drag. * @param {goog.events.BrowserEvent} e Event object. * @param {boolean=} opt_dragCanceled Whether the drag has been canceled. */ goog.fx.Dragger.prototype.endDrag = function(e, opt_dragCanceled) { this.cleanUpAfterDragging_(); if (this.dragging_) { this.maybeReinitTouchEvent_(e); this.dragging_ = false; var x = this.limitX(this.deltaX); var y = this.limitY(this.deltaY); var dragCanceled = opt_dragCanceled || e.type == goog.events.EventType.TOUCHCANCEL; this.dispatchEvent(new goog.fx.DragEvent( goog.fx.Dragger.EventType.END, this, e.clientX, e.clientY, e, x, y, dragCanceled)); } else { this.dispatchEvent(goog.fx.Dragger.EventType.EARLY_CANCEL); } // Call preventDefault to prevent mouseup from being raised if this is a // touchend event. if (e.type == goog.events.EventType.TOUCHEND || e.type == goog.events.EventType.TOUCHCANCEL) { e.preventDefault(); } }; /** * Event handler that is used to end the drag by cancelling it. * @param {goog.events.BrowserEvent} e Event object. */ goog.fx.Dragger.prototype.endDragCancel = function(e) { this.endDrag(e, true); }; /** * Re-initializes the event with the first target touch event or, in the case * of a stop event, the last changed touch. * @param {goog.events.BrowserEvent} e A TOUCH... event. * @private */ goog.fx.Dragger.prototype.maybeReinitTouchEvent_ = function(e) { var type = e.type; if (type == goog.events.EventType.TOUCHSTART || type == goog.events.EventType.TOUCHMOVE) { e.init(e.getBrowserEvent().targetTouches[0], e.currentTarget); } else if (type == goog.events.EventType.TOUCHEND || type == goog.events.EventType.TOUCHCANCEL) { e.init(e.getBrowserEvent().changedTouches[0], e.currentTarget); } }; /** * Event handler that is used on mouse / touch move to update the drag * @param {goog.events.BrowserEvent} e Event object. * @private */ goog.fx.Dragger.prototype.handleMove_ = function(e) { if (this.enabled_) { this.maybeReinitTouchEvent_(e); // dx in right-to-left cases is relative to the right. var sign = this.useRightPositioningForRtl_ && this.isRightToLeft_() ? -1 : 1; var dx = sign * (e.clientX - this.clientX); var dy = e.clientY - this.clientY; this.clientX = e.clientX; this.clientY = e.clientY; this.screenX = e.screenX; this.screenY = e.screenY; if (!this.dragging_) { var diffX = this.startX - this.clientX; var diffY = this.startY - this.clientY; var distance = diffX * diffX + diffY * diffY; if (distance > this.hysteresisDistanceSquared_) { if (this.fireDragStart_(e)) { this.dragging_ = true; } else { // DragListGroup disposes of the dragger if BEFOREDRAGSTART is // canceled. if (!this.isDisposed()) { this.endDrag(e); } return; } } } var pos = this.calculatePosition_(dx, dy); var x = pos.x; var y = pos.y; if (this.dragging_) { var rv = this.dispatchEvent(new goog.fx.DragEvent( goog.fx.Dragger.EventType.BEFOREDRAG, this, e.clientX, e.clientY, e, x, y)); // Only do the defaultAction and dispatch drag event if predrag didn't // prevent default if (rv) { this.doDrag(e, x, y, false); e.preventDefault(); } } } }; /** * Calculates the drag position. * * @param {number} dx The horizontal movement delta. * @param {number} dy The vertical movement delta. * @return {goog.math.Coordinate} The newly calculated drag element position. * @private */ goog.fx.Dragger.prototype.calculatePosition_ = function(dx, dy) { // Update the position for any change in body scrolling var pageScroll = goog.dom.getDomHelper(this.document_).getDocumentScroll(); dx += pageScroll.x - this.pageScroll.x; dy += pageScroll.y - this.pageScroll.y; this.pageScroll = pageScroll; this.deltaX += dx; this.deltaY += dy; var x = this.limitX(this.deltaX); var y = this.limitY(this.deltaY); return new goog.math.Coordinate(x, y); }; /** * Event handler for scroll target scrolling. * @param {goog.events.BrowserEvent} e The event. * @private */ goog.fx.Dragger.prototype.onScroll_ = function(e) { var pos = this.calculatePosition_(0, 0); e.clientX = this.clientX; e.clientY = this.clientY; this.doDrag(e, pos.x, pos.y, true); }; /** * @param {goog.events.BrowserEvent} e The closure object * representing the browser event that caused a drag event. * @param {number} x The new horizontal position for the drag element. * @param {number} y The new vertical position for the drag element. * @param {boolean} dragFromScroll Whether dragging was caused by scrolling * the associated scroll target. * @protected */ goog.fx.Dragger.prototype.doDrag = function(e, x, y, dragFromScroll) { this.defaultAction(x, y); this.dispatchEvent(new goog.fx.DragEvent( goog.fx.Dragger.EventType.DRAG, this, e.clientX, e.clientY, e, x, y)); }; /** * Returns the 'real' x after limits are applied (allows for some * limits to be undefined). * @param {number} x X-coordinate to limit. * @return {number} The 'real' X-coordinate after limits are applied. */ goog.fx.Dragger.prototype.limitX = function(x) { var rect = this.limits; var left = !isNaN(rect.left) ? rect.left : null; var width = !isNaN(rect.width) ? rect.width : 0; var maxX = left != null ? left + width : Infinity; var minX = left != null ? left : -Infinity; return Math.min(maxX, Math.max(minX, x)); }; /** * Returns the 'real' y after limits are applied (allows for some * limits to be undefined). * @param {number} y Y-coordinate to limit. * @return {number} The 'real' Y-coordinate after limits are applied. */ goog.fx.Dragger.prototype.limitY = function(y) { var rect = this.limits; var top = !isNaN(rect.top) ? rect.top : null; var height = !isNaN(rect.height) ? rect.height : 0; var maxY = top != null ? top + height : Infinity; var minY = top != null ? top : -Infinity; return Math.min(maxY, Math.max(minY, y)); }; /** * Overridable function for handling the default action of the drag behaviour. * Normally this is simply moving the element to x,y though in some cases it * might be used to resize the layer. This is basically a shortcut to * implementing a default ondrag event handler. * @param {number} x X-coordinate for target element. In right-to-left, x this * is the number of pixels the target should be moved to from the right. * @param {number} y Y-coordinate for target element. */ goog.fx.Dragger.prototype.defaultAction = function(x, y) { if (this.useRightPositioningForRtl_ && this.isRightToLeft_()) { this.target.style.right = x + 'px'; } else { this.target.style.left = x + 'px'; } this.target.style.top = y + 'px'; }; /** * @return {boolean} Whether the dragger is currently in the midst of a drag. */ goog.fx.Dragger.prototype.isDragging = function() { return this.dragging_; }; /** * Object representing a drag event * @param {string} type Event type. * @param {goog.fx.Dragger} dragobj Drag object initiating event. * @param {number} clientX X-coordinate relative to the viewport. * @param {number} clientY Y-coordinate relative to the viewport. * @param {goog.events.BrowserEvent} browserEvent The closure object * representing the browser event that caused this drag event. * @param {number=} opt_actX Optional actual x for drag if it has been limited. * @param {number=} opt_actY Optional actual y for drag if it has been limited. * @param {boolean=} opt_dragCanceled Whether the drag has been canceled. * @constructor * @extends {goog.events.Event} */ goog.fx.DragEvent = function(type, dragobj, clientX, clientY, browserEvent, opt_actX, opt_actY, opt_dragCanceled) { goog.events.Event.call(this, type); /** * X-coordinate relative to the viewport * @type {number} */ this.clientX = clientX; /** * Y-coordinate relative to the viewport * @type {number} */ this.clientY = clientY; /** * The closure object representing the browser event that caused this drag * event. * @type {goog.events.BrowserEvent} */ this.browserEvent = browserEvent; /** * The real x-position of the drag if it has been limited * @type {number} */ this.left = goog.isDef(opt_actX) ? opt_actX : dragobj.deltaX; /** * The real y-position of the drag if it has been limited * @type {number} */ this.top = goog.isDef(opt_actY) ? opt_actY : dragobj.deltaY; /** * Reference to the drag object for this event * @type {goog.fx.Dragger} */ this.dragger = dragobj; /** * Whether drag was canceled with this event. Used to differentiate between * a legitimate drag END that can result in an action and a drag END which is * a result of a drag cancelation. For now it can happen 1) with drag END * event on FireFox when user drags the mouse out of the window, 2) with * drag END event on IE7 which is generated on MOUSEMOVE event when user * moves the mouse into the document after the mouse button has been * released, 3) when TOUCHCANCEL is raised instead of TOUCHEND (on touch * events). * @type {boolean} */ this.dragCanceled = !!opt_dragCanceled; }; goog.inherits(goog.fx.DragEvent, goog.events.Event);
JavaScript
// Copyright 2006 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Basic animation controls. * */ goog.provide('goog.fx.anim'); goog.provide('goog.fx.anim.Animated'); goog.require('goog.async.AnimationDelay'); goog.require('goog.async.Delay'); goog.require('goog.object'); /** * An interface for programatically animated objects. I.e. rendered in * javascript frame by frame. * * @interface */ goog.fx.anim.Animated = function() {}; /** * Function called when a frame is requested for the animation. * * @param {number} now Current time in milliseconds. */ goog.fx.anim.Animated.prototype.onAnimationFrame; /** * Default wait timeout for animations (in milliseconds). Only used for timed * animation, which uses a timer (setTimeout) to schedule animation. * * @type {number} * @const */ goog.fx.anim.TIMEOUT = goog.async.AnimationDelay.TIMEOUT; /** * A map of animations which should be cycled on the global timer. * * @type {Object.<number, goog.fx.anim.Animated>} * @private */ goog.fx.anim.activeAnimations_ = {}; /** * An optional animation window. * @type {Window} * @private */ goog.fx.anim.animationWindow_ = null; /** * An interval ID for the global timer or event handler uid. * @type {goog.async.Delay|goog.async.AnimationDelay} * @private */ goog.fx.anim.animationDelay_ = null; /** * Registers an animation to be cycled on the global timer. * @param {goog.fx.anim.Animated} animation The animation to register. */ goog.fx.anim.registerAnimation = function(animation) { var uid = goog.getUid(animation); if (!(uid in goog.fx.anim.activeAnimations_)) { goog.fx.anim.activeAnimations_[uid] = animation; } // If the timer is not already started, start it now. goog.fx.anim.requestAnimationFrame_(); }; /** * Removes an animation from the list of animations which are cycled on the * global timer. * @param {goog.fx.anim.Animated} animation The animation to unregister. */ goog.fx.anim.unregisterAnimation = function(animation) { var uid = goog.getUid(animation); delete goog.fx.anim.activeAnimations_[uid]; // If a timer is running and we no longer have any active timers we stop the // timers. if (goog.object.isEmpty(goog.fx.anim.activeAnimations_)) { goog.fx.anim.cancelAnimationFrame_(); } }; /** * Tears down this module. Useful for testing. */ // TODO(nicksantos): Wow, this api is pretty broken. This should be fixed. goog.fx.anim.tearDown = function() { goog.fx.anim.animationWindow_ = null; goog.dispose(goog.fx.anim.animationDelay_); goog.fx.anim.animationDelay_ = null; goog.fx.anim.activeAnimations_ = {}; }; /** * Registers an animation window. This allows usage of the timing control API * for animations. Note that this window must be visible, as non-visible * windows can potentially stop animating. This window does not necessarily * need to be the window inside which animation occurs, but must remain visible. * See: https://developer.mozilla.org/en/DOM/window.mozRequestAnimationFrame. * * @param {Window} animationWindow The window in which to animate elements. */ goog.fx.anim.setAnimationWindow = function(animationWindow) { // If a timer is currently running, reset it and restart with new functions // after a timeout. This is to avoid mismatching timer UIDs if we change the // animation window during a running animation. // // In practice this cannot happen before some animation window and timer // control functions has already been set. var hasTimer = goog.fx.anim.animationDelay_ && goog.fx.anim.animationDelay_.isActive(); goog.dispose(goog.fx.anim.animationDelay_); goog.fx.anim.animationDelay_ = null; goog.fx.anim.animationWindow_ = animationWindow; // If the timer was running, start it again. if (hasTimer) { goog.fx.anim.requestAnimationFrame_(); } }; /** * Requests an animation frame based on the requestAnimationFrame and * cancelRequestAnimationFrame function pair. * @private */ goog.fx.anim.requestAnimationFrame_ = function() { if (!goog.fx.anim.animationDelay_) { // We cannot guarantee that the global window will be one that fires // requestAnimationFrame events (consider off-screen chrome extension // windows). Default to use goog.async.Delay, unless // the client has explicitly set an animation window. if (goog.fx.anim.animationWindow_) { // requestAnimationFrame will call cycleAnimations_ with the current // time in ms, as returned from goog.now(). goog.fx.anim.animationDelay_ = new goog.async.AnimationDelay( function(now) { goog.fx.anim.cycleAnimations_(now); }, goog.fx.anim.animationWindow_); } else { goog.fx.anim.animationDelay_ = new goog.async.Delay(function() { goog.fx.anim.cycleAnimations_(goog.now()); }, goog.fx.anim.TIMEOUT); } } var delay = goog.fx.anim.animationDelay_; if (!delay.isActive()) { delay.start(); } }; /** * Cancels an animation frame created by requestAnimationFrame_(). * @private */ goog.fx.anim.cancelAnimationFrame_ = function() { if (goog.fx.anim.animationDelay_) { goog.fx.anim.animationDelay_.stop(); } }; /** * Cycles through all registered animations. * @param {number} now Current time in milliseconds. * @private */ goog.fx.anim.cycleAnimations_ = function(now) { goog.object.forEach(goog.fx.anim.activeAnimations_, function(anim) { anim.onAnimationFrame(now); }); if (!goog.object.isEmpty(goog.fx.anim.activeAnimations_)) { goog.fx.anim.requestAnimationFrame_(); } };
JavaScript
// Copyright 2007 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview A class which automatically plays through a queue of * animations. AnimationParallelQueue and AnimationSerialQueue provide * specific implementations of the abstract class AnimationQueue. * * @see ../demos/animationqueue.html */ goog.provide('goog.fx.AnimationParallelQueue'); goog.provide('goog.fx.AnimationQueue'); goog.provide('goog.fx.AnimationSerialQueue'); goog.require('goog.array'); goog.require('goog.asserts'); goog.require('goog.events.EventHandler'); goog.require('goog.fx.Transition.EventType'); goog.require('goog.fx.TransitionBase'); goog.require('goog.fx.TransitionBase.State'); /** * Constructor for AnimationQueue object. * * @constructor * @extends {goog.fx.TransitionBase} */ goog.fx.AnimationQueue = function() { goog.base(this); /** * An array holding all animations in the queue. * @type {Array.<goog.fx.TransitionBase>} * @protected */ this.queue = []; }; goog.inherits(goog.fx.AnimationQueue, goog.fx.TransitionBase); /** * Pushes an Animation to the end of the queue. * @param {goog.fx.TransitionBase} animation The animation to add to the queue. */ goog.fx.AnimationQueue.prototype.add = function(animation) { goog.asserts.assert(this.isStopped(), 'Not allowed to add animations to a running animation queue.'); if (goog.array.contains(this.queue, animation)) { return; } this.queue.push(animation); goog.events.listen(animation, goog.fx.Transition.EventType.FINISH, this.onAnimationFinish, false, this); }; /** * Removes an Animation from the queue. * @param {goog.fx.Animation} animation The animation to remove. */ goog.fx.AnimationQueue.prototype.remove = function(animation) { goog.asserts.assert(this.isStopped(), 'Not allowed to remove animations from a running animation queue.'); if (goog.array.remove(this.queue, animation)) { goog.events.unlisten(animation, goog.fx.Transition.EventType.FINISH, this.onAnimationFinish, false, this); } }; /** * Handles the event that an animation has finished. * @param {goog.events.Event} e The finishing event. * @protected */ goog.fx.AnimationQueue.prototype.onAnimationFinish = goog.abstractMethod; /** * Disposes of the animations. * @override */ goog.fx.AnimationQueue.prototype.disposeInternal = function() { goog.array.forEach(this.queue, function(animation) { animation.dispose(); }); this.queue.length = 0; goog.base(this, 'disposeInternal'); }; /** * Constructor for AnimationParallelQueue object. * @constructor * @extends {goog.fx.AnimationQueue} */ goog.fx.AnimationParallelQueue = function() { goog.base(this); /** * Number of finished animations. * @type {number} * @private */ this.finishedCounter_ = 0; }; goog.inherits(goog.fx.AnimationParallelQueue, goog.fx.AnimationQueue); /** @inheritDoc */ goog.fx.AnimationParallelQueue.prototype.play = function(opt_restart) { if (this.queue.length == 0) { return false; } if (opt_restart || this.isStopped()) { this.finishedCounter_ = 0; this.onBegin(); } else if (this.isPlaying()) { return false; } this.onPlay(); if (this.isPaused()) { this.onResume(); } var resuming = this.isPaused() && !opt_restart; this.startTime = goog.now(); this.endTime = null; this.setStatePlaying(); goog.array.forEach(this.queue, function(anim) { if (!resuming || anim.isPaused()) { anim.play(opt_restart); } }); return true; }; /** @inheritDoc */ goog.fx.AnimationParallelQueue.prototype.pause = function() { if (this.isPlaying()) { goog.array.forEach(this.queue, function(anim) { if (anim.isPlaying()) { anim.pause(); } }); this.setStatePaused(); this.onPause(); } }; /** @inheritDoc */ goog.fx.AnimationParallelQueue.prototype.stop = function(opt_gotoEnd) { goog.array.forEach(this.queue, function(anim) { if (!anim.isStopped()) { anim.stop(opt_gotoEnd); } }); this.setStateStopped(); this.endTime = goog.now(); this.onStop(); this.onEnd(); }; /** @inheritDoc */ goog.fx.AnimationParallelQueue.prototype.onAnimationFinish = function(e) { this.finishedCounter_++; if (this.finishedCounter_ == this.queue.length) { this.endTime = goog.now(); this.setStateStopped(); this.onFinish(); this.onEnd(); } }; /** * Constructor for AnimationSerialQueue object. * @constructor * @extends {goog.fx.AnimationQueue} */ goog.fx.AnimationSerialQueue = function() { goog.base(this); /** * Current animation in queue currently active. * @type {number} * @private */ this.current_ = 0; }; goog.inherits(goog.fx.AnimationSerialQueue, goog.fx.AnimationQueue); /** @inheritDoc */ goog.fx.AnimationSerialQueue.prototype.play = function(opt_restart) { if (this.queue.length == 0) { return false; } if (opt_restart || this.isStopped()) { if (this.current_ < this.queue.length && !this.queue[this.current_].isStopped()) { this.queue[this.current_].stop(false); } this.current_ = 0; this.onBegin(); } else if (this.isPlaying()) { return false; } this.onPlay(); if (this.isPaused()) { this.onResume(); } this.startTime = goog.now(); this.endTime = null; this.setStatePlaying(); this.queue[this.current_].play(opt_restart); return true; }; /** @inheritDoc */ goog.fx.AnimationSerialQueue.prototype.pause = function() { if (this.isPlaying()) { this.queue[this.current_].pause(); this.setStatePaused(); this.onPause(); } }; /** @inheritDoc */ goog.fx.AnimationSerialQueue.prototype.stop = function(opt_gotoEnd) { this.setStateStopped(); this.endTime = goog.now(); if (opt_gotoEnd) { for (var i = this.current_; i < this.queue.length; ++i) { var anim = this.queue[i]; // If the animation is stopped, start it to initiate rendering. This // might be needed to make the next line work. if (anim.isStopped()) anim.play(); // If the animation is not done, stop it and go to the end state of the // animation. if (!anim.isStopped()) anim.stop(true); } } else if (this.current_ < this.queue.length) { this.queue[this.current_].stop(false); } this.onStop(); this.onEnd(); }; /** @inheritDoc */ goog.fx.AnimationSerialQueue.prototype.onAnimationFinish = function(e) { if (this.isPlaying()) { this.current_++; if (this.current_ < this.queue.length) { this.queue[this.current_].play(); } else { this.endTime = goog.now(); this.setStateStopped(); this.onFinish(); this.onEnd(); } } };
JavaScript
// Copyright 2008 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Class to support scrollable containers for drag and drop. * */ goog.provide('goog.fx.DragScrollSupport'); goog.require('goog.Disposable'); goog.require('goog.Timer'); goog.require('goog.dom'); goog.require('goog.events.EventHandler'); goog.require('goog.events.EventType'); goog.require('goog.math.Coordinate'); goog.require('goog.style'); /** * A scroll support class. Currently this class will automatically scroll * a scrollable container node and scroll it by a fixed amount at a timed * interval when the mouse is moved above or below the container or in vertical * margin areas. Intended for use in drag and drop. This could potentially be * made more general and could support horizontal scrolling. * * @param {Element} containerNode A container that can be scrolled. * @param {number=} opt_margin Optional margin to use while scrolling. * @param {boolean=} opt_externalMouseMoveTracking Whether mouse move events * are tracked externally by the client object which calls the mouse move * event handler, useful when events are generated for more than one source * element and/or are not real mousemove events. * @constructor * @extends {goog.Disposable} * @see ../demos/dragscrollsupport.html */ goog.fx.DragScrollSupport = function(containerNode, opt_margin, opt_externalMouseMoveTracking) { goog.Disposable.call(this); /** * The container to be scrolled. * @type {Element} * @private */ this.containerNode_ = containerNode; /** * Scroll timer that will scroll the container until it is stopped. * It will scroll when the mouse is outside the scrolling area of the * container. * * @type {goog.Timer} * @private */ this.scrollTimer_ = new goog.Timer(goog.fx.DragScrollSupport.TIMER_STEP_); /** * EventHandler used to set up and tear down listeners. * @type {goog.events.EventHandler} * @private */ this.eventHandler_ = new goog.events.EventHandler(this); /** * The current scroll delta. * @type {goog.math.Coordinate} * @private */ this.scrollDelta_ = new goog.math.Coordinate(); /** * The container bounds. * @type {goog.math.Rect} * @private */ this.containerBounds_ = goog.style.getBounds(containerNode); /** * The margin for triggering a scroll. * @type {number} * @private */ this.margin_ = opt_margin || 0; /** * The bounding rectangle which if left triggers scrolling. * @type {goog.math.Rect} * @private */ this.scrollBounds_ = opt_margin ? this.constrainBounds_(this.containerBounds_.clone()) : this.containerBounds_; this.setupListeners_(!!opt_externalMouseMoveTracking); }; goog.inherits(goog.fx.DragScrollSupport, goog.Disposable); /** * The scroll timer step in ms. * @type {number} * @private */ goog.fx.DragScrollSupport.TIMER_STEP_ = 50; /** * The scroll step in pixels. * @type {number} * @private */ goog.fx.DragScrollSupport.SCROLL_STEP_ = 8; /** * The suggested scrolling margin. * @type {number} */ goog.fx.DragScrollSupport.MARGIN = 32; /** * Whether scrolling should be constrained to happen only when the cursor is * inside the container node. * @type {boolean} * @private */ goog.fx.DragScrollSupport.prototype.constrainScroll_ = false; /** * Whether horizontal scrolling is allowed. * @type {boolean} * @private */ goog.fx.DragScrollSupport.prototype.horizontalScrolling_ = true; /** * Sets whether scrolling should be constrained to happen only when the cursor * is inside the container node. * NOTE: If a margin is not set, then it does not make sense to * contain the scroll, because in that case scroll will never be triggered. * @param {boolean} constrain Whether scrolling should be constrained to happen * only when the cursor is inside the container node. */ goog.fx.DragScrollSupport.prototype.setConstrainScroll = function(constrain) { this.constrainScroll_ = !!this.margin_ && constrain; }; /** * Sets whether horizontal scrolling is allowed. * @param {boolean} scrolling Whether horizontal scrolling is allowed. */ goog.fx.DragScrollSupport.prototype.setHorizontalScrolling = function(scrolling) { this.horizontalScrolling_ = scrolling; }; /** * Constrains the container bounds with respect to the margin. * * @param {goog.math.Rect} bounds The container element. * @return {goog.math.Rect} The bounding rectangle used to calculate scrolling * direction. * @private */ goog.fx.DragScrollSupport.prototype.constrainBounds_ = function(bounds) { var margin = this.margin_; if (margin) { var quarterHeight = bounds.height * 0.25; var yMargin = Math.min(margin, quarterHeight); bounds.top += yMargin; bounds.height -= 2 * yMargin; var quarterWidth = bounds.width * 0.25; var xMargin = Math.min(margin, quarterWidth); bounds.top += xMargin; bounds.height -= 2 * xMargin; } return bounds; }; /** * Attaches listeners and activates automatic scrolling. * @param {boolean} externalMouseMoveTracking Whether to enable internal * mouse move event handling. * @private */ goog.fx.DragScrollSupport.prototype.setupListeners_ = function( externalMouseMoveTracking) { if (!externalMouseMoveTracking) { // Track mouse pointer position to determine scroll direction. this.eventHandler_.listen(goog.dom.getOwnerDocument(this.containerNode_), goog.events.EventType.MOUSEMOVE, this.onMouseMove); } // Scroll with a constant speed. this.eventHandler_.listen(this.scrollTimer_, goog.Timer.TICK, this.onTick_); }; /** * Handler for timer tick event, scrolls the container by one scroll step if * needed. * @param {goog.events.Event} event Timer tick event. * @private */ goog.fx.DragScrollSupport.prototype.onTick_ = function(event) { this.containerNode_.scrollTop += this.scrollDelta_.y; this.containerNode_.scrollLeft += this.scrollDelta_.x; }; /** * Handler for mouse moves events. * @param {goog.events.Event} event Mouse move event. */ goog.fx.DragScrollSupport.prototype.onMouseMove = function(event) { var deltaX = this.horizontalScrolling_ ? this.calculateScrollDelta( event.clientX, this.scrollBounds_.left, this.scrollBounds_.width) : 0; var deltaY = this.calculateScrollDelta(event.clientY, this.scrollBounds_.top, this.scrollBounds_.height); this.scrollDelta_.x = deltaX; this.scrollDelta_.y = deltaY; // If the scroll data is 0 or the event fired outside of the // bounds of the container node. if ((!deltaX && !deltaY) || (this.constrainScroll_ && !this.isInContainerBounds_(event.clientX, event.clientY))) { this.scrollTimer_.stop(); } else if (!this.scrollTimer_.enabled) { this.scrollTimer_.start(); } }; /** * Gets whether the input coordinate is in the container bounds. * @param {number} x The x coordinate. * @param {number} y The y coordinate. * @return {boolean} Whether the input coordinate is in the container bounds. * @private */ goog.fx.DragScrollSupport.prototype.isInContainerBounds_ = function(x, y) { var containerBounds = this.containerBounds_; return containerBounds.left <= x && containerBounds.left + containerBounds.width >= x && containerBounds.top <= y && containerBounds.top + containerBounds.height >= y; }; /** * Calculates scroll delta. * * @param {number} coordinate Current mouse pointer coordinate. * @param {number} min The coordinate value below which scrolling up should be * started. * @param {number} rangeLength The length of the range in which scrolling should * be disabled and above which scrolling down should be started. * @return {number} The calculated scroll delta. * @protected */ goog.fx.DragScrollSupport.prototype.calculateScrollDelta = function( coordinate, min, rangeLength) { var delta = 0; if (coordinate < min) { delta = -goog.fx.DragScrollSupport.SCROLL_STEP_; } else if (coordinate > min + rangeLength) { delta = goog.fx.DragScrollSupport.SCROLL_STEP_; } return delta; }; /** @override */ goog.fx.DragScrollSupport.prototype.disposeInternal = function() { goog.fx.DragScrollSupport.superClass_.disposeInternal.call(this); this.eventHandler_.dispose(); this.scrollTimer_.dispose(); };
JavaScript
// Copyright 2005 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Predefined DHTML animations such as slide, resize and fade. * * @see ../demos/effects.html */ goog.provide('goog.fx.dom'); goog.provide('goog.fx.dom.BgColorTransform'); goog.provide('goog.fx.dom.ColorTransform'); goog.provide('goog.fx.dom.Fade'); goog.provide('goog.fx.dom.FadeIn'); goog.provide('goog.fx.dom.FadeInAndShow'); goog.provide('goog.fx.dom.FadeOut'); goog.provide('goog.fx.dom.FadeOutAndHide'); goog.provide('goog.fx.dom.PredefinedEffect'); goog.provide('goog.fx.dom.Resize'); goog.provide('goog.fx.dom.ResizeHeight'); goog.provide('goog.fx.dom.ResizeWidth'); goog.provide('goog.fx.dom.Scroll'); goog.provide('goog.fx.dom.Slide'); goog.provide('goog.fx.dom.SlideFrom'); goog.provide('goog.fx.dom.Swipe'); goog.require('goog.color'); goog.require('goog.events'); goog.require('goog.fx.Animation'); goog.require('goog.fx.Transition.EventType'); goog.require('goog.style'); goog.require('goog.style.bidi'); /** * Abstract class that provides reusable functionality for predefined animations * that manipulate a single DOM element * * @param {Element} element Dom Node to be used in the animation. * @param {Array.<number>} start Array for start coordinates. * @param {Array.<number>} end Array for end coordinates. * @param {number} time Length of animation in milliseconds. * @param {Function=} opt_acc Acceleration function, returns 0-1 for inputs 0-1. * @extends {goog.fx.Animation} * @constructor */ goog.fx.dom.PredefinedEffect = function(element, start, end, time, opt_acc) { goog.fx.Animation.call(this, start, end, time, opt_acc); /** * DOM Node that will be used in the animation * @type {Element} */ this.element = element; /** * Whether the element is rendered right-to-left. We cache this here for * efficiency. * @type {boolean|undefined} * @private */ this.rightToLeft_; }; goog.inherits(goog.fx.dom.PredefinedEffect, goog.fx.Animation); /** * Called to update the style of the element. * @protected */ goog.fx.dom.PredefinedEffect.prototype.updateStyle = goog.nullFunction; /** * Whether the element is rendered right-to-left. We initialize this lazily. * @type {boolean|undefined} * @private */ goog.fx.dom.PredefinedEffect.prototype.rightToLeft_; /** * Whether the DOM element being manipulated is rendered right-to-left. * @return {boolean} True if the DOM element is rendered right-to-left, false * otherwise. */ goog.fx.dom.PredefinedEffect.prototype.isRightToLeft = function() { if (!goog.isDef(this.rightToLeft_)) { this.rightToLeft_ = goog.style.isRightToLeft(this.element); } return this.rightToLeft_; }; /** @override */ goog.fx.dom.PredefinedEffect.prototype.onAnimate = function() { this.updateStyle(); goog.fx.dom.PredefinedEffect.superClass_.onAnimate.call(this); }; /** @override */ goog.fx.dom.PredefinedEffect.prototype.onEnd = function() { this.updateStyle(); goog.fx.dom.PredefinedEffect.superClass_.onEnd.call(this); }; /** @override */ goog.fx.dom.PredefinedEffect.prototype.onBegin = function() { this.updateStyle(); goog.fx.dom.PredefinedEffect.superClass_.onBegin.call(this); }; /** * Creates an animation object that will slide an element from A to B. (This * in effect automatically sets up the onanimate event for an Animation object) * * Start and End should be 2 dimensional arrays * * @param {Element} element Dom Node to be used in the animation. * @param {Array.<number>} start 2D array for start coordinates (X, Y). * @param {Array.<number>} end 2D array for end coordinates (X, Y). * @param {number} time Length of animation in milliseconds. * @param {Function=} opt_acc Acceleration function, returns 0-1 for inputs 0-1. * @extends {goog.fx.dom.PredefinedEffect} * @constructor */ goog.fx.dom.Slide = function(element, start, end, time, opt_acc) { if (start.length != 2 || end.length != 2) { throw Error('Start and end points must be 2D'); } goog.fx.dom.PredefinedEffect.apply(this, arguments); }; goog.inherits(goog.fx.dom.Slide, goog.fx.dom.PredefinedEffect); /** @override */ goog.fx.dom.Slide.prototype.updateStyle = function() { var pos = (this.isRightPositioningForRtlEnabled() && this.isRightToLeft()) ? 'right' : 'left'; this.element.style[pos] = Math.round(this.coords[0]) + 'px'; this.element.style.top = Math.round(this.coords[1]) + 'px'; }; /** * Slides an element from its current position. * * @param {Element} element DOM node to be used in the animation. * @param {Array.<number>} end 2D array for end coordinates (X, Y). * @param {number} time Length of animation in milliseconds. * @param {Function=} opt_acc Acceleration function, returns 0-1 for inputs 0-1. * @extends {goog.fx.dom.Slide} * @constructor */ goog.fx.dom.SlideFrom = function(element, end, time, opt_acc) { var offsetLeft = this.isRightPositioningForRtlEnabled() ? goog.style.bidi.getOffsetStart(element) : element.offsetLeft; var start = [offsetLeft, element.offsetTop]; goog.fx.dom.Slide.call(this, element, start, end, time, opt_acc); }; goog.inherits(goog.fx.dom.SlideFrom, goog.fx.dom.Slide); /** @override */ goog.fx.dom.SlideFrom.prototype.onBegin = function() { var offsetLeft = this.isRightPositioningForRtlEnabled() ? goog.style.bidi.getOffsetStart(this.element) : this.element.offsetLeft; this.startPoint = [offsetLeft, this.element.offsetTop]; goog.fx.dom.SlideFrom.superClass_.onBegin.call(this); }; /** * Creates an animation object that will slide an element into its final size. * Requires that the element is absolutely positioned. * * @param {Element} element Dom Node to be used in the animation. * @param {Array.<number>} start 2D array for start size (W, H). * @param {Array.<number>} end 2D array for end size (W, H). * @param {number} time Length of animation in milliseconds. * @param {Function=} opt_acc Acceleration function, returns 0-1 for inputs 0-1. * @extends {goog.fx.dom.PredefinedEffect} * @constructor */ goog.fx.dom.Swipe = function(element, start, end, time, opt_acc) { if (start.length != 2 || end.length != 2) { throw Error('Start and end points must be 2D'); } goog.fx.dom.PredefinedEffect.apply(this, arguments); /* * Maximum width for element. * @type {number} * @private */ this.maxWidth_ = Math.max(this.endPoint[0], this.startPoint[0]); /* * Maximum height for element. * @type {number} * @private */ this.maxHeight_ = Math.max(this.endPoint[1], this.startPoint[1]); }; goog.inherits(goog.fx.dom.Swipe, goog.fx.dom.PredefinedEffect); /** * Animation event handler that will resize an element by setting its width, * height and clipping. * @protected * @override */ goog.fx.dom.Swipe.prototype.updateStyle = function() { var x = this.coords[0]; var y = this.coords[1]; this.clip_(Math.round(x), Math.round(y), this.maxWidth_, this.maxHeight_); this.element.style.width = Math.round(x) + 'px'; var marginX = (this.isRightPositioningForRtlEnabled() && this.isRightToLeft()) ? 'marginRight' : 'marginLeft'; this.element.style[marginX] = Math.round(x) - this.maxWidth_ + 'px'; this.element.style.marginTop = Math.round(y) - this.maxHeight_ + 'px'; }; /** * Helper function for setting element clipping. * @param {number} x Current element width. * @param {number} y Current element height. * @param {number} w Maximum element width. * @param {number} h Maximum element height. * @private */ goog.fx.dom.Swipe.prototype.clip_ = function(x, y, w, h) { this.element.style.clip = 'rect(' + (h - y) + 'px ' + w + 'px ' + h + 'px ' + (w - x) + 'px)'; }; /** * Creates an animation object that will scroll an element from A to B. * * Start and End should be 2 dimensional arrays * * @param {Element} element Dom Node to be used in the animation. * @param {Array.<number>} start 2D array for start scroll left and top. * @param {Array.<number>} end 2D array for end scroll left and top. * @param {number} time Length of animation in milliseconds. * @param {Function=} opt_acc Acceleration function, returns 0-1 for inputs 0-1. * @extends {goog.fx.dom.PredefinedEffect} * @constructor */ goog.fx.dom.Scroll = function(element, start, end, time, opt_acc) { if (start.length != 2 || end.length != 2) { throw Error('Start and end points must be 2D'); } goog.fx.dom.PredefinedEffect.apply(this, arguments); }; goog.inherits(goog.fx.dom.Scroll, goog.fx.dom.PredefinedEffect); /** * Animation event handler that will set the scroll posiiton of an element * @protected * @override */ goog.fx.dom.Scroll.prototype.updateStyle = function() { if (this.isRightPositioningForRtlEnabled()) { goog.style.bidi.setScrollOffset(this.element, Math.round(this.coords[0])); } else { this.element.scrollLeft = Math.round(this.coords[0]); } this.element.scrollTop = Math.round(this.coords[1]); }; /** * Creates an animation object that will resize an element between two widths * and heights. * * Start and End should be 2 dimensional arrays * * @param {Element} element Dom Node to be used in the animation. * @param {Array.<number>} start 2D array for start width and height. * @param {Array.<number>} end 2D array for end width and height. * @param {number} time Length of animation in milliseconds. * @param {Function=} opt_acc Acceleration function, returns 0-1 for inputs 0-1. * @extends {goog.fx.dom.PredefinedEffect} * @constructor */ goog.fx.dom.Resize = function(element, start, end, time, opt_acc) { if (start.length != 2 || end.length != 2) { throw Error('Start and end points must be 2D'); } goog.fx.dom.PredefinedEffect.apply(this, arguments); }; goog.inherits(goog.fx.dom.Resize, goog.fx.dom.PredefinedEffect); /** * Animation event handler that will resize an element by setting its width and * height. * @protected * @override */ goog.fx.dom.Resize.prototype.updateStyle = function() { this.element.style.width = Math.round(this.coords[0]) + 'px'; this.element.style.height = Math.round(this.coords[1]) + 'px'; }; /** * Creates an animation object that will resize an element between two widths * * Start and End should be numbers * * @param {Element} element Dom Node to be used in the animation. * @param {number} start Start width. * @param {number} end End width. * @param {number} time Length of animation in milliseconds. * @param {Function=} opt_acc Acceleration function, returns 0-1 for inputs 0-1. * @extends {goog.fx.dom.PredefinedEffect} * @constructor */ goog.fx.dom.ResizeWidth = function(element, start, end, time, opt_acc) { goog.fx.dom.PredefinedEffect.call(this, element, [start], [end], time, opt_acc); }; goog.inherits(goog.fx.dom.ResizeWidth, goog.fx.dom.PredefinedEffect); /** * Animation event handler that will resize an element by setting its width. * @protected * @override */ goog.fx.dom.ResizeWidth.prototype.updateStyle = function() { this.element.style.width = Math.round(this.coords[0]) + 'px'; }; /** * Creates an animation object that will resize an element between two heights * * Start and End should be numbers * * @param {Element} element Dom Node to be used in the animation. * @param {number} start Start height. * @param {number} end End height. * @param {number} time Length of animation in milliseconds. * @param {Function=} opt_acc Acceleration function, returns 0-1 for inputs 0-1. * @extends {goog.fx.dom.PredefinedEffect} * @constructor */ goog.fx.dom.ResizeHeight = function(element, start, end, time, opt_acc) { goog.fx.dom.PredefinedEffect.call(this, element, [start], [end], time, opt_acc); }; goog.inherits(goog.fx.dom.ResizeHeight, goog.fx.dom.PredefinedEffect); /** * Animation event handler that will resize an element by setting its height. * @protected * @override */ goog.fx.dom.ResizeHeight.prototype.updateStyle = function() { this.element.style.height = Math.round(this.coords[0]) + 'px'; }; /** * Creates an animation object that fades the opacity of an element between two * limits. * * Start and End should be floats between 0 and 1 * * @param {Element} element Dom Node to be used in the animation. * @param {Array.<number>|number} start 1D Array or Number with start opacity. * @param {Array.<number>|number} end 1D Array or Number for end opacity. * @param {number} time Length of animation in milliseconds. * @param {Function=} opt_acc Acceleration function, returns 0-1 for inputs 0-1. * @extends {goog.fx.dom.PredefinedEffect} * @constructor */ goog.fx.dom.Fade = function(element, start, end, time, opt_acc) { if (goog.isNumber(start)) start = [start]; if (goog.isNumber(end)) end = [end]; goog.fx.dom.PredefinedEffect.call(this, element, start, end, time, opt_acc); if (start.length != 1 || end.length != 1) { throw Error('Start and end points must be 1D'); } }; goog.inherits(goog.fx.dom.Fade, goog.fx.dom.PredefinedEffect); /** * Animation event handler that will set the opacity of an element. * @protected * @override */ goog.fx.dom.Fade.prototype.updateStyle = function() { goog.style.setOpacity(this.element, this.coords[0]); }; /** * Animation event handler that will show the element. */ goog.fx.dom.Fade.prototype.show = function() { this.element.style.display = ''; }; /** * Animation event handler that will hide the element */ goog.fx.dom.Fade.prototype.hide = function() { this.element.style.display = 'none'; }; /** * Fades an element out from full opacity to completely transparent. * * @param {Element} element Dom Node to be used in the animation. * @param {number} time Length of animation in milliseconds. * @param {Function=} opt_acc Acceleration function, returns 0-1 for inputs 0-1. * @extends {goog.fx.dom.Fade} * @constructor */ goog.fx.dom.FadeOut = function(element, time, opt_acc) { goog.fx.dom.Fade.call(this, element, 1, 0, time, opt_acc); }; goog.inherits(goog.fx.dom.FadeOut, goog.fx.dom.Fade); /** * Fades an element in from completely transparent to fully opacity. * * @param {Element} element Dom Node to be used in the animation. * @param {number} time Length of animation in milliseconds. * @param {Function=} opt_acc Acceleration function, returns 0-1 for inputs 0-1. * @extends {goog.fx.dom.Fade} * @constructor */ goog.fx.dom.FadeIn = function(element, time, opt_acc) { goog.fx.dom.Fade.call(this, element, 0, 1, time, opt_acc); }; goog.inherits(goog.fx.dom.FadeIn, goog.fx.dom.Fade); /** * Fades an element out from full opacity to completely transparent and then * sets the display to 'none' * * @param {Element} element Dom Node to be used in the animation. * @param {number} time Length of animation in milliseconds. * @param {Function=} opt_acc Acceleration function, returns 0-1 for inputs 0-1. * @extends {goog.fx.dom.Fade} * @constructor */ goog.fx.dom.FadeOutAndHide = function(element, time, opt_acc) { goog.fx.dom.Fade.call(this, element, 1, 0, time, opt_acc); }; goog.inherits(goog.fx.dom.FadeOutAndHide, goog.fx.dom.Fade); /** @override */ goog.fx.dom.FadeOutAndHide.prototype.onBegin = function() { this.show(); goog.fx.dom.FadeOutAndHide.superClass_.onBegin.call(this); }; /** @override */ goog.fx.dom.FadeOutAndHide.prototype.onEnd = function() { this.hide(); goog.fx.dom.FadeOutAndHide.superClass_.onEnd.call(this); }; /** * Sets an element's display to be visible and then fades an element in from * completely transparent to fully opacity * * @param {Element} element Dom Node to be used in the animation. * @param {number} time Length of animation in milliseconds. * @param {Function=} opt_acc Acceleration function, returns 0-1 for inputs 0-1. * @extends {goog.fx.dom.Fade} * @constructor */ goog.fx.dom.FadeInAndShow = function(element, time, opt_acc) { goog.fx.dom.Fade.call(this, element, 0, 1, time, opt_acc); }; goog.inherits(goog.fx.dom.FadeInAndShow, goog.fx.dom.Fade); /** @override */ goog.fx.dom.FadeInAndShow.prototype.onBegin = function() { this.show(); goog.fx.dom.FadeInAndShow.superClass_.onBegin.call(this); }; /** * Provides a transformation of an elements background-color. * * Start and End should be 3D arrays representing R,G,B * * @param {Element} element Dom Node to be used in the animation. * @param {Array.<number>} start 3D Array for RGB of start color. * @param {Array.<number>} end 3D Array for RGB of end color. * @param {number} time Length of animation in milliseconds. * @param {Function=} opt_acc Acceleration function, returns 0-1 for inputs 0-1. * @extends {goog.fx.dom.PredefinedEffect} * @constructor */ goog.fx.dom.BgColorTransform = function(element, start, end, time, opt_acc) { if (start.length != 3 || end.length != 3) { throw Error('Start and end points must be 3D'); } goog.fx.dom.PredefinedEffect.apply(this, arguments); }; goog.inherits(goog.fx.dom.BgColorTransform, goog.fx.dom.PredefinedEffect); /** * Animation event handler that will set the background-color of an element */ goog.fx.dom.BgColorTransform.prototype.setColor = function() { var coordsAsInts = []; for (var i = 0; i < this.coords.length; i++) { coordsAsInts[i] = Math.round(this.coords[i]); } var color = 'rgb(' + coordsAsInts.join(',') + ')'; this.element.style.backgroundColor = color; }; /** @override */ goog.fx.dom.BgColorTransform.prototype.updateStyle = function() { this.setColor(); }; /** * Fade elements background color from start color to the element's current * background color. * * Start should be a 3D array representing R,G,B * * @param {Element} element Dom Node to be used in the animation. * @param {Array.<number>} start 3D Array for RGB of start color. * @param {number} time Length of animation in milliseconds. * @param {goog.events.EventHandler=} opt_eventHandler Optional event handler * to use when listening for events. */ goog.fx.dom.bgColorFadeIn = function(element, start, time, opt_eventHandler) { var initialBgColor = element.style.backgroundColor || ''; var computedBgColor = goog.style.getBackgroundColor(element); var end; if (computedBgColor && computedBgColor != 'transparent' && computedBgColor != 'rgba(0, 0, 0, 0)') { end = goog.color.hexToRgb(goog.color.parse(computedBgColor).hex); } else { end = [255, 255, 255]; } var anim = new goog.fx.dom.BgColorTransform(element, start, end, time); function setBgColor() { element.style.backgroundColor = initialBgColor; } if (opt_eventHandler) { opt_eventHandler.listen( anim, goog.fx.Transition.EventType.END, setBgColor); } else { goog.events.listen( anim, goog.fx.Transition.EventType.END, setBgColor); } anim.play(); }; /** * Provides a transformation of an elements color. * * @param {Element} element Dom Node to be used in the animation. * @param {Array.<number>} start 3D Array representing R,G,B. * @param {Array.<number>} end 3D Array representing R,G,B. * @param {number} time Length of animation in milliseconds. * @param {Function=} opt_acc Acceleration function, returns 0-1 for inputs 0-1. * @constructor * @extends {goog.fx.dom.PredefinedEffect} */ goog.fx.dom.ColorTransform = function(element, start, end, time, opt_acc) { if (start.length != 3 || end.length != 3) { throw Error('Start and end points must be 3D'); } goog.fx.dom.PredefinedEffect.apply(this, arguments); }; goog.inherits(goog.fx.dom.ColorTransform, goog.fx.dom.PredefinedEffect); /** * Animation event handler that will set the color of an element. * @protected * @override */ goog.fx.dom.ColorTransform.prototype.updateStyle = function() { var coordsAsInts = []; for (var i = 0; i < this.coords.length; i++) { coordsAsInts[i] = Math.round(this.coords[i]); } var color = 'rgb(' + coordsAsInts.join(',') + ')'; this.element.style.color = color; };
JavaScript
// Copyright 2006 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview An implementation of DataNode for wrapping JS data. * */ goog.provide('goog.ds.JsDataSource'); goog.provide('goog.ds.JsPropertyDataSource'); goog.require('goog.ds.BaseDataNode'); goog.require('goog.ds.BasicNodeList'); goog.require('goog.ds.DataManager'); goog.require('goog.ds.EmptyNodeList'); goog.require('goog.ds.LoadState'); /** * Data source whose backing is JavaScript data * * Names that are reserved for system use and shouldn't be used for data node * names: eval, toSource, toString, unwatch, valueOf, watch. Behavior is * undefined if these names are used. * * @param {Object} root The root JS node. * @param {string} dataName The name of this node relative to the parent node. * @param {Object=} opt_parent Optional parent of this JsDataSource. * * implements goog.ds.DataNode. * @constructor * @extends {goog.ds.DataNode} */ // TODO(arv): Use interfaces when available. goog.ds.JsDataSource = function(root, dataName, opt_parent) { this.parent_ = opt_parent; this.dataName_ = dataName; this.setRoot(root); }; /** * The root JS object. Can be null. * @type {*} * @protected * @suppress {underscore} */ goog.ds.JsDataSource.prototype.root_; /** * Sets the root JS object * @param {Object} root The root JS object. Can be null. * * @protected */ goog.ds.JsDataSource.prototype.setRoot = function(root) { this.root_ = root; this.childNodeList_ = null; }; /** * Set this data source to use list semantics. List data sources: * - Are assumed to have child nodes of all of the same type of data * - Fire data changes on the root node of the list whenever children * are added or removed * @param {?boolean} isList True to use list semantics. * @private */ goog.ds.JsDataSource.prototype.setIsList_ = function(isList) { this.isList_ = isList; }; /** @override */ goog.ds.JsDataSource.prototype.get = function() { return !goog.isObject(this.root_) ? this.root_ : this.getChildNodes(); }; /** * Set the value of the node * @param {*} value The new value of the node. * @override */ goog.ds.JsDataSource.prototype.set = function(value) { if (value && goog.isObject(this.root_)) { throw Error('Can\'t set group nodes to new values yet'); } if (this.parent_) { this.parent_.root_[this.dataName_] = value; } this.root_ = value; this.childNodeList_ = null; goog.ds.DataManager.getInstance().fireDataChange(this.getDataPath()); }; /** * TODO(user) revisit lazy creation. * @override */ goog.ds.JsDataSource.prototype.getChildNodes = function(opt_selector) { if (!this.root_) { return new goog.ds.EmptyNodeList(); } if (!opt_selector || opt_selector == goog.ds.STR_ALL_CHILDREN_SELECTOR) { this.createChildNodes_(false); return this.childNodeList_; } else if (opt_selector.indexOf(goog.ds.STR_WILDCARD) == -1) { if (this.root_[opt_selector] != null) { return new goog.ds.BasicNodeList([this.getChildNode(opt_selector)]); } else { return new goog.ds.EmptyNodeList(); } } else { throw Error('Selector not supported yet (' + opt_selector + ')'); } }; /** * Creates the DataNodeList with the child nodes for this element. * Allows for only building list as needed. * * @param {boolean=} opt_force Whether to force recreating child nodes, * defaults to false. * @private */ goog.ds.JsDataSource.prototype.createChildNodes_ = function(opt_force) { if (this.childNodeList_ && !opt_force) { return; } if (!goog.isObject(this.root_)) { this.childNodeList_ = new goog.ds.EmptyNodeList(); return; } var childNodeList = new goog.ds.BasicNodeList(); var newNode; if (goog.isArray(this.root_)) { var len = this.root_.length; for (var i = 0; i < len; i++) { // "id" is reserved node name that will map to a named child node // TODO(user) Configurable logic for choosing id node var node = this.root_[i]; var id = node.id; var name = id != null ? String(id) : '[' + i + ']'; newNode = new goog.ds.JsDataSource(node, name, this); childNodeList.add(newNode); } } else { for (var name in this.root_) { var obj = this.root_[name]; // If the node is already a datasource, then add it. if (obj.getDataName) { childNodeList.add(obj); } else if (!goog.isFunction(obj)) { newNode = new goog.ds.JsDataSource(obj, name, this); childNodeList.add(newNode); } } } this.childNodeList_ = childNodeList; }; /** * Gets a named child node of the current node * @param {string} name The node name. * @param {boolean=} opt_canCreate If true, can create child node. * @return {goog.ds.DataNode} The child node, or null if no node of * this name exists. * @override */ goog.ds.JsDataSource.prototype.getChildNode = function(name, opt_canCreate) { if (!this.root_) { return null; } var node = /** @type {goog.ds.DataNode} */ (this.getChildNodes().get(name)); if (!node && opt_canCreate) { var newObj = {}; if (goog.isArray(this.root_)) { newObj['id'] = name; this.root_.push(newObj); } else { this.root_[name] = newObj; } node = new goog.ds.JsDataSource(newObj, name, this); if (this.childNodeList_) { this.childNodeList_.add(node); } } return node; }; /** * Gets the value of a child node * @param {string} name The node name. * @return {Object} The value of the node, or null if no value or the child * node doesn't exist. * @override */ goog.ds.JsDataSource.prototype.getChildNodeValue = function(name) { if (this.childNodeList_) { var node = this.getChildNodes().get(name); return node ? node.get() : null; } else if (this.root_) { return this.root_[name]; } else { return null; } }; /** * Sets a named child node of the current node. * If value is null, removes the child node. * @param {string} name The node name. * @param {Object} value The value to set, can be DataNode, object, * property, or null. * @return {Object} The child node, if set. * @override */ goog.ds.JsDataSource.prototype.setChildNode = function(name, value) { var removedPath = null; var node = null; var addedNode = false; // Set node to the DataNode to add - if the value isn't already a DataNode, // creates a JsDataSource or JsPropertyDataSource wrapper if (value != null) { if (value.getDataName) { // The value is a DataNode. We must update its parent. node = value; node.parent_ = this; } else { if (goog.isArray(value) || goog.isObject(value)) { node = new goog.ds.JsDataSource(value, name, this); } else { node = new goog.ds.JsPropertyDataSource( /** @type {goog.ds.DataNode} */ (this.root_), name, this); } } } // This logic will get cleaner once we can remove the backing array / object // and just rely on the childNodeList_. This is needed until dependent code // is cleaned up. // TODO(user) Remove backing array / object and just use childNodeList_ if (goog.isArray(this.root_)) { // To remove by name, need to create a map of the child nodes by ID this.createChildNodes_(); var index = this.childNodeList_.indexOf(name); if (value == null) { // Remove the node var nodeToRemove = this.childNodeList_.get(name); if (nodeToRemove) { removedPath = nodeToRemove.getDataPath(); } this.root_.splice(index, 1); } else { // Add the node if (index) { this.root_[index] = value; } else { this.root_.push(value); } } if (index == null) { addedNode = true; } this.childNodeList_.setNode(name, /** @type {goog.ds.DataNode} */ (node)); } else if (goog.isObject(this.root_)) { if (value == null) { // Remove the node this.createChildNodes_(); var nodeToRemove = this.childNodeList_.get(name); if (nodeToRemove) { removedPath = nodeToRemove.getDataPath(); } delete this.root_[name]; } else { // Add the node if (!this.root_[name]) { addedNode = true; } this.root_[name] = value; } // Only need to update childNodeList_ if has been created already if (this.childNodeList_) { this.childNodeList_.setNode(name, /** @type {goog.ds.DataNode} */ (node)); } } // Fire the event that the node changed var dm = goog.ds.DataManager.getInstance(); if (node) { dm.fireDataChange(node.getDataPath()); if (addedNode && this.isList()) { dm.fireDataChange(this.getDataPath()); dm.fireDataChange(this.getDataPath() + '/count()'); } } else if (removedPath) { dm.fireDataChange(removedPath); if (this.isList()) { dm.fireDataChange(this.getDataPath()); dm.fireDataChange(this.getDataPath() + '/count()'); } } return node; }; /** * Get the name of the node relative to the parent node * @return {string} The name of the node. * @override */ goog.ds.JsDataSource.prototype.getDataName = function() { return this.dataName_; }; /** * Setthe name of the node relative to the parent node * @param {string} dataName The name of the node. * @override */ goog.ds.JsDataSource.prototype.setDataName = function(dataName) { this.dataName_ = dataName; }; /** * Gets the a qualified data path to this node * @return {string} The data path. * @override */ goog.ds.JsDataSource.prototype.getDataPath = function() { var parentPath = ''; if (this.parent_) { parentPath = this.parent_.getDataPath() + goog.ds.STR_PATH_SEPARATOR; } return parentPath + this.dataName_; }; /** * Load or reload the backing data for this node * @override */ goog.ds.JsDataSource.prototype.load = function() { // Nothing to do }; /** * Gets the state of the backing data for this node * TODO(user) Discuss null value handling * @return {goog.ds.LoadState} The state. * @override */ goog.ds.JsDataSource.prototype.getLoadState = function() { return (this.root_ == null) ? goog.ds.LoadState.NOT_LOADED : goog.ds.LoadState.LOADED; }; /** * Whether the value of this node is a homogeneous list of data * @return {boolean} True if a list. * @override */ goog.ds.JsDataSource.prototype.isList = function() { return this.isList_ != null ? this.isList_ : goog.isArray(this.root_); }; /** * Data source for JavaScript properties that arent objects. Contains reference * to parent object so that you can set the vaule * * @param {goog.ds.DataNode} parent Parent object. * @param {string} dataName Name of this property. * @param {goog.ds.DataNode=} opt_parentDataNode The parent data node. If * omitted, assumes that the parent object is the parent data node. * * @constructor * @extends {goog.ds.BaseDataNode} */ goog.ds.JsPropertyDataSource = function(parent, dataName, opt_parentDataNode) { goog.ds.BaseDataNode.call(this); this.dataName_ = dataName; this.parent_ = parent; this.parentDataNode_ = opt_parentDataNode || this.parent_; }; goog.inherits(goog.ds.JsPropertyDataSource, goog.ds.BaseDataNode); /** * Get the value of the node * @return {Object} The value of the node, or null if no value. */ goog.ds.JsPropertyDataSource.prototype.get = function() { return this.parent_[this.dataName_]; }; /** * Set the value of the node * @param {Object} value The new value of the node. * @override */ goog.ds.JsPropertyDataSource.prototype.set = function(value) { var oldValue = this.parent_[this.dataName_]; this.parent_[this.dataName_] = value; if (oldValue != value) { goog.ds.DataManager.getInstance().fireDataChange(this.getDataPath()); } }; /** * Get the name of the node relative to the parent node * @return {string} The name of the node. * @override */ goog.ds.JsPropertyDataSource.prototype.getDataName = function() { return this.dataName_; }; /** @override */ goog.ds.JsPropertyDataSource.prototype.getParent = function() { return this.parentDataNode_; };
JavaScript
// Copyright 2006 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Implementation of DataNode for wrapping JSON data. * */ goog.provide('goog.ds.JsonDataSource'); goog.require('goog.Uri'); goog.require('goog.dom'); goog.require('goog.ds.DataManager'); goog.require('goog.ds.JsDataSource'); goog.require('goog.ds.LoadState'); goog.require('goog.ds.logger'); /** * Data source whose backing is a JSON-like service, in which * retreiving the resource specified by URL with the additional parameter * callback. The resource retreived is executable JavaScript that * makes a call to the named function with a JavaScript object literal * as the only parameter. * * Example URI could be: * http://www.google.com/data/search?q=monkey&callback=mycb * which might return the JS: * mycb({searchresults: * [{uri: 'http://www.monkey.com', title: 'Site About Monkeys'}]}); * * TODO(user): Evaluate using goog.net.Jsonp here. * * A URI of an empty string will mean that no request is made * and the data source will be a data source with no child nodes * * @param {string|goog.Uri} uri URI for the request. * @param {string} name Name of the datasource. * @param {string=} opt_callbackParamName The parameter name that is used to * specify the callback. Defaults to 'callback'. * * @extends {goog.ds.JsDataSource} * @constructor */ goog.ds.JsonDataSource = function(uri, name, opt_callbackParamName) { goog.ds.JsDataSource.call(this, null, name, null); if (uri) { this.uri_ = new goog.Uri(uri); } else { this.uri_ = null; } /** * This is the callback parameter name that is added to the uri. * @type {string} * @private */ this.callbackParamName_ = opt_callbackParamName || 'callback'; }; goog.inherits(goog.ds.JsonDataSource, goog.ds.JsDataSource); /** * Default load state is NOT_LOADED * @private */ goog.ds.JsonDataSource.prototype.loadState_ = goog.ds.LoadState.NOT_LOADED; /** * Map of all data sources, needed for callbacks * Doesn't work unless dataSources is exported (not renamed) */ goog.ds.JsonDataSource['dataSources'] = {}; /** * Load or reload the backing data for this node. * Fires the JsonDataSource * @override */ goog.ds.JsonDataSource.prototype.load = function() { if (this.uri_) { // NOTE: "dataSources" is expose above by name so that it will not be // renamed. It should therefore be accessed via array notation here so // that it also doesn't get renamed and stops the compiler from complaining goog.ds.JsonDataSource['dataSources'][this.dataName_] = this; goog.ds.logger.info('Sending JS request for DataSource ' + this.getDataName() + ' to ' + this.uri_); this.loadState_ = goog.ds.LoadState.LOADING; var uriToCall = new goog.Uri(this.uri_); uriToCall.setParameterValue(this.callbackParamName_, 'JsonReceive.' + this.dataName_); goog.global['JsonReceive'][this.dataName_] = goog.bind(this.receiveData, this); var scriptEl = goog.dom.createDom('script', {'src': uriToCall}); goog.dom.getElementsByTagNameAndClass('head')[0].appendChild(scriptEl); } else { this.root_ = {}; this.loadState_ = goog.ds.LoadState.NOT_LOADED; } }; /** * Gets the state of the backing data for this node * @return {goog.ds.LoadState} The state. * @override */ goog.ds.JsonDataSource.prototype.getLoadState = function() { return this.loadState_; }; /** * Receives data from a Json request * @param {Object} obj The JSON data. */ goog.ds.JsonDataSource.prototype.receiveData = function(obj) { this.setRoot(obj); this.loadState_ = goog.ds.LoadState.LOADED; goog.ds.DataManager.getInstance().fireDataChange(this.getDataName()); }; /** * Temp variable to hold callbacks * until BUILD supports multiple externs.js files */ goog.global['JsonReceive'] = {};
JavaScript
// Copyright 2006 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview * DataSource implementation that uses XMLHttpRequest as transport, with * response as serialized JS object (not required to be JSON) that can * be evaluated and set to a variable. * * Response can have unexecutable starting/ending text to prevent inclusion * using <script src="..."> * */ goog.provide('goog.ds.JsXmlHttpDataSource'); goog.require('goog.Uri'); goog.require('goog.ds.DataManager'); goog.require('goog.ds.FastDataNode'); goog.require('goog.ds.LoadState'); goog.require('goog.ds.logger'); goog.require('goog.events'); goog.require('goog.net.EventType'); goog.require('goog.net.XhrIo'); /** * Similar to JsonDataSource, with using XMLHttpRequest for transport * Currently requires the result be a JS object that can be evaluated and * set to a variable and doesn't require strict JSON notation. * * @param {string || goog.Uri} uri URI for the request. * @param {string} name Name of the datasource. * @param {string=} opt_startText Text to expect/strip before JS response. * @param {string=} opt_endText Text to expect/strip after JS response. * @param {boolean=} opt_usePost If true, use POST. Defaults to false (GET). * * @extends {goog.ds.FastDataNode} * @constructor */ goog.ds.JsXmlHttpDataSource = function(uri, name, opt_startText, opt_endText, opt_usePost) { goog.ds.FastDataNode.call(this, {}, name, null); if (uri) { this.uri_ = new goog.Uri(uri); this.xhr_ = new goog.net.XhrIo(); this.usePost_ = !!opt_usePost; goog.events.listen(this.xhr_, goog.net.EventType.COMPLETE, this.completed_, false, this); } else { this.uri_ = null; } this.startText_ = opt_startText; this.endText_ = opt_endText; }; goog.inherits(goog.ds.JsXmlHttpDataSource, goog.ds.FastDataNode); /** * Delimiter for start of JSON data in response. * null = starts at first character of response * @type {string|undefined} * @private */ goog.ds.JsXmlHttpDataSource.prototype.startText_; /** * Delimiter for end of JSON data in response. * null = ends at last character of response * @type {string|undefined} * @private */ goog.ds.JsXmlHttpDataSource.prototype.endText_; /** * Gets the state of the backing data for this node * @return {goog.ds.LoadState} The state. * @override */ goog.ds.JsXmlHttpDataSource.prototype.getLoadState = function() { return this.loadState_; }; /** * Sets the request data. This can be used if it is required to * send a specific body rather than build the body from the query * parameters. Only used in POST requests. * @param {string} data The data to send in the request body. */ goog.ds.JsXmlHttpDataSource.prototype.setQueryData = function(data) { this.queryData_ = data; }; /** * Load or reload the backing data for this node. * Fires the JsonDataSource * @override */ goog.ds.JsXmlHttpDataSource.prototype.load = function() { goog.ds.logger.info('Sending JS request for DataSource ' + this.getDataName() + ' to ' + this.uri_); if (this.uri_) { if (this.usePost_) { var queryData; if (!this.queryData_) { queryData = this.uri_.getQueryData().toString(); } else { queryData = this.queryData_; } var uriNoQuery = this.uri_.clone(); uriNoQuery.setQueryData(null); this.xhr_.send(String(uriNoQuery), 'POST', queryData); } else { this.xhr_.send(String(this.uri_)); } } else { this.loadState_ = goog.ds.LoadState.NOT_LOADED; } }; /** * Called on successful request. * @private */ goog.ds.JsXmlHttpDataSource.prototype.success_ = function() { goog.ds.DataManager.getInstance().fireDataChange(this.getDataName()); }; /** * Completed callback. Loads data if successful, otherwise sets * state to FAILED * @param {goog.events.Event} e Event object, Xhr is target. * @private */ goog.ds.JsXmlHttpDataSource.prototype.completed_ = function(e) { if (this.xhr_.isSuccess()) { goog.ds.logger.info('Got data for DataSource ' + this.getDataName()); var text = this.xhr_.getResponseText(); // Look for start and end token and trim text if (this.startText_) { var startpos = text.indexOf(this.startText_); text = text.substring(startpos + this.startText_.length); } if (this.endText_) { var endpos = text.lastIndexOf(this.endText_); text = text.substring(0, endpos); } // Eval result /** @preserveTry */ try { var jsonObj = /** @type {Object} */ (eval('[' + text + '][0]')); this.extendWith_(jsonObj); this.loadState_ = goog.ds.LoadState.LOADED; } catch (ex) { // Invalid JS this.loadState_ = goog.ds.LoadState.FAILED; goog.ds.logger.severe('Failed to parse data: ' + ex.message); } // Call on a timer to avoid threading issues on IE. goog.global.setTimeout(goog.bind(this.success_, this), 0); } else { goog.ds.logger.info('Data retrieve failed for DataSource ' + this.getDataName()); this.loadState_ = goog.ds.LoadState.FAILED; } };
JavaScript
// Copyright 2006 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview * Central class for registering and accessing data sources * Also handles processing of data events. * * There is a shared global instance that most client code should access via * goog.ds.DataManager.getInstance(). However you can also create your own * DataManager using new * * Implements DataNode to provide the top element in a data registry * Prepends '$' to top level data names in path to denote they are root object * */ goog.provide('goog.ds.DataManager'); goog.require('goog.ds.BasicNodeList'); goog.require('goog.ds.DataNode'); goog.require('goog.ds.Expr'); goog.require('goog.string'); goog.require('goog.structs'); goog.require('goog.structs.Map'); /** * Create a DataManger * @extends {goog.ds.DataNode} * @constructor */ goog.ds.DataManager = function() { this.dataSources_ = new goog.ds.BasicNodeList(); this.autoloads_ = new goog.structs.Map(); this.listenerMap_ = {}; this.listenersByFunction_ = {}; this.aliases_ = {}; this.eventCount_ = 0; this.indexedListenersByFunction_ = {}; }; /** * Global instance * @private */ goog.ds.DataManager.instance_ = null; goog.inherits(goog.ds.DataManager, goog.ds.DataNode); /** * Get the global instance * @return {goog.ds.DataManager} The data manager singleton. */ goog.ds.DataManager.getInstance = function() { if (!goog.ds.DataManager.instance_) { goog.ds.DataManager.instance_ = new goog.ds.DataManager(); } return goog.ds.DataManager.instance_; }; /** * Clears the global instance (for unit tests to reset state). */ goog.ds.DataManager.clearInstance = function() { goog.ds.DataManager.instance_ = null; }; /** * Add a data source * @param {goog.ds.DataNode} ds The data source. * @param {boolean=} opt_autoload Whether to automatically load the data, * defaults to false. * @param {string=} opt_name Optional name, can also get name * from the datasource. */ goog.ds.DataManager.prototype.addDataSource = function(ds, opt_autoload, opt_name) { var autoload = !!opt_autoload; var name = opt_name || ds.getDataName(); if (!goog.string.startsWith(name, '$')) { name = '$' + name; } ds.setDataName(name); this.dataSources_.add(ds); this.autoloads_.set(name, autoload); }; /** * Create an alias for a data path, very similar to assigning a variable. * For example, you can set $CurrentContact -> $Request/Contacts[5], and all * references to $CurrentContact will be procesed on $Request/Contacts[5]. * * Aliases will hide datasources of the same name. * * @param {string} name Alias name, must be a top level path ($Foo). * @param {string} dataPath Data path being aliased. */ goog.ds.DataManager.prototype.aliasDataSource = function(name, dataPath) { if (!this.aliasListener_) { this.aliasListener_ = goog.bind(this.listenForAlias_, this); } if (this.aliases_[name]) { var oldPath = this.aliases_[name].getSource(); this.removeListeners(this.aliasListener_, oldPath + '/...', name); } this.aliases_[name] = goog.ds.Expr.create(dataPath); this.addListener(this.aliasListener_, dataPath + '/...', name); this.fireDataChange(name); }; /** * Listener function for matches of paths that have been aliased. * Fires a data change on the alias as well. * * @param {string} dataPath Path of data event fired. * @param {string} name Name of the alias. * @private */ goog.ds.DataManager.prototype.listenForAlias_ = function(dataPath, name) { var aliasedExpr = this.aliases_[name]; if (aliasedExpr) { // If it's a subpath, appends the subpath to the alias name // otherwise just fires on the top level alias var aliasedPath = aliasedExpr.getSource(); if (dataPath.indexOf(aliasedPath) == 0) { this.fireDataChange(name + dataPath.substring(aliasedPath.length)); } else { this.fireDataChange(name); } } }; /** * Gets a named child node of the current node. * * @param {string} name The node name. * @return {goog.ds.DataNode} The child node, * or null if no node of this name exists. */ goog.ds.DataManager.prototype.getDataSource = function(name) { if (this.aliases_[name]) { return this.aliases_[name].getNode(); } else { return this.dataSources_.get(name); } }; /** * Get the value of the node * @return {Object} The value of the node, or null if no value. * @override */ goog.ds.DataManager.prototype.get = function() { return this.dataSources_; }; /** @override */ goog.ds.DataManager.prototype.set = function(value) { throw Error('Can\'t set on DataManager'); }; /** @override */ goog.ds.DataManager.prototype.getChildNodes = function(opt_selector) { if (opt_selector) { return new goog.ds.BasicNodeList( [this.getChildNode(/** @type {string} */(opt_selector))]); } else { return this.dataSources_; } }; /** * Gets a named child node of the current node * @param {string} name The node name. * @return {goog.ds.DataNode} The child node, * or null if no node of this name exists. * @override */ goog.ds.DataManager.prototype.getChildNode = function(name) { return this.getDataSource(name); }; /** @override */ goog.ds.DataManager.prototype.getChildNodeValue = function(name) { var ds = this.getDataSource(name); return ds ? ds.get() : null; }; /** * Get the name of the node relative to the parent node * @return {string} The name of the node. * @override */ goog.ds.DataManager.prototype.getDataName = function() { return ''; }; /** * Gets the a qualified data path to this node * @return {string} The data path. * @override */ goog.ds.DataManager.prototype.getDataPath = function() { return ''; }; /** * Load or reload the backing data for this node * only loads datasources flagged with autoload * @override */ goog.ds.DataManager.prototype.load = function() { var len = this.dataSources_.getCount(); for (var i = 0; i < len; i++) { var ds = this.dataSources_.getByIndex(i); var autoload = this.autoloads_.get(ds.getDataName()); if (autoload) { ds.load(); } } }; /** * Gets the state of the backing data for this node * @return {goog.ds.LoadState} The state. * @override */ goog.ds.DataManager.prototype.getLoadState = goog.abstractMethod; /** * Whether the value of this node is a homogeneous list of data * @return {boolean} True if a list. * @override */ goog.ds.DataManager.prototype.isList = function() { return false; }; /** * Get the total count of events fired (mostly for debugging) * @return {number} Count of events. */ goog.ds.DataManager.prototype.getEventCount = function() { return this.eventCount_; }; /** * Adds a listener * Listeners should fire when any data with path that has dataPath as substring * is changed. * TODO(user) Look into better listener handling * * @param {Function} fn Callback function, signature function(dataPath, id). * @param {string} dataPath Fully qualified data path. * @param {string=} opt_id A value passed back to the listener when the dataPath * is matched. */ goog.ds.DataManager.prototype.addListener = function(fn, dataPath, opt_id) { // maxAncestor sets how distant an ancestor you can be of the fired event // and still fire (you always fire if you are a descendant). // 0 means you don't fire if you are an ancestor // 1 means you only fire if you are parent // 1000 means you will fire if you are ancestor (effectively infinite) var maxAncestors = 0; if (goog.string.endsWith(dataPath, '/...')) { maxAncestors = 1000; dataPath = dataPath.substring(0, dataPath.length - 4); } else if (goog.string.endsWith(dataPath, '/*')) { maxAncestors = 1; dataPath = dataPath.substring(0, dataPath.length - 2); } opt_id = opt_id || ''; var key = dataPath + ':' + opt_id + ':' + goog.getUid(fn); var listener = {dataPath: dataPath, id: opt_id, fn: fn}; var expr = goog.ds.Expr.create(dataPath); var fnUid = goog.getUid(fn); if (!this.listenersByFunction_[fnUid]) { this.listenersByFunction_[fnUid] = {}; } this.listenersByFunction_[fnUid][key] = {listener: listener, items: []}; while (expr) { var listenerSpec = {listener: listener, maxAncestors: maxAncestors}; var matchingListeners = this.listenerMap_[expr.getSource()]; if (matchingListeners == null) { matchingListeners = {}; this.listenerMap_[expr.getSource()] = matchingListeners; } matchingListeners[key] = listenerSpec; maxAncestors = 0; expr = expr.getParent(); this.listenersByFunction_[fnUid][key].items.push( {key: key, obj: matchingListeners}); } }; /** * Adds an indexed listener. * * Indexed listeners allow for '*' in data paths. If a * exists, will match * all values and return the matched values in an array to the callback. * * Currently uses a promiscuous match algorithm: Matches everything before the * first '*', and then does a regex match for all of the returned events. * Although this isn't optimized, it is still an improvement as you can collapse * 100's of listeners into a single regex match * * @param {Function} fn Callback function, signature (dataPath, id, indexes). * @param {string} dataPath Fully qualified data path. * @param {string=} opt_id A value passed back to the listener when the dataPath * is matched. */ goog.ds.DataManager.prototype.addIndexedListener = function(fn, dataPath, opt_id) { var firstStarPos = dataPath.indexOf('*'); // Just need a regular listener if (firstStarPos == -1) { this.addListener(fn, dataPath, opt_id); return; } var listenPath = dataPath.substring(0, firstStarPos) + '...'; // Create regex that matches * to any non '\' character var ext = '$'; if (goog.string.endsWith(dataPath, '/...')) { dataPath = dataPath.substring(0, dataPath.length - 4); ext = ''; } var regExpPath = goog.string.regExpEscape(dataPath); var matchRegExp = regExpPath.replace(/\\\*/g, '([^\\\/]+)') + ext; // Matcher function applies the regex and calls back the original function // if the regex matches, passing in an array of the matched values var matchRegExpRe = new RegExp(matchRegExp); var matcher = function(path, id) { var match = matchRegExpRe.exec(path); if (match) { match.shift(); fn(path, opt_id, match); } }; this.addListener(matcher, listenPath, opt_id); // Add the indexed listener to the map so that we can remove it later. var fnUid = goog.getUid(fn); if (!this.indexedListenersByFunction_[fnUid]) { this.indexedListenersByFunction_[fnUid] = {}; } var key = dataPath + ':' + opt_id; this.indexedListenersByFunction_[fnUid][key] = { listener: {dataPath: listenPath, fn: matcher, id: opt_id} }; }; /** * Removes indexed listeners with a given callback function, and optional * matching datapath and matching id. * * @param {Function} fn Callback function, signature function(dataPath, id). * @param {string=} opt_dataPath Fully qualified data path. * @param {string=} opt_id A value passed back to the listener when the dataPath * is matched. */ goog.ds.DataManager.prototype.removeIndexedListeners = function( fn, opt_dataPath, opt_id) { this.removeListenersByFunction_( this.indexedListenersByFunction_, true, fn, opt_dataPath, opt_id); }; /** * Removes listeners with a given callback function, and optional * matching dataPath and matching id * * @param {Function} fn Callback function, signature function(dataPath, id). * @param {string=} opt_dataPath Fully qualified data path. * @param {string=} opt_id A value passed back to the listener when the dataPath * is matched. */ goog.ds.DataManager.prototype.removeListeners = function(fn, opt_dataPath, opt_id) { // Normalize data path root if (opt_dataPath && goog.string.endsWith(opt_dataPath, '/...')) { opt_dataPath = opt_dataPath.substring(0, opt_dataPath.length - 4); } else if (opt_dataPath && goog.string.endsWith(opt_dataPath, '/*')) { opt_dataPath = opt_dataPath.substring(0, opt_dataPath.length - 2); } this.removeListenersByFunction_( this.listenersByFunction_, false, fn, opt_dataPath, opt_id); }; /** * Removes listeners with a given callback function, and optional * matching dataPath and matching id from the given listenersByFunction * data structure. * * @param {Object} listenersByFunction The listeners by function. * @param {boolean} indexed Indicates whether the listenersByFunction are * indexed or not. * @param {Function} fn Callback function, signature function(dataPath, id). * @param {string=} opt_dataPath Fully qualified data path. * @param {string=} opt_id A value passed back to the listener when the dataPath * is matched. * @private */ goog.ds.DataManager.prototype.removeListenersByFunction_ = function( listenersByFunction, indexed, fn, opt_dataPath, opt_id) { var fnUid = goog.getUid(fn); var functionMatches = listenersByFunction[fnUid]; if (functionMatches != null) { for (var key in functionMatches) { var functionMatch = functionMatches[key]; var listener = functionMatch.listener; if ((!opt_dataPath || opt_dataPath == listener.dataPath) && (!opt_id || opt_id == listener.id)) { if (indexed) { this.removeListeners( listener.fn, listener.dataPath, listener.id); } if (functionMatch.items) { for (var i = 0; i < functionMatch.items.length; i++) { var item = functionMatch.items[i]; delete item.obj[item.key]; } } delete functionMatches[key]; } } } }; /** * Get the total number of listeners (per expression listened to, so may be * more than number of times addListener() has been called * @return {number} Number of listeners. */ goog.ds.DataManager.prototype.getListenerCount = function() { var count = 0; goog.structs.forEach(this.listenerMap_, function(matchingListeners) { count += goog.structs.getCount(matchingListeners); }); return count; }; /** * Disables the sending of all data events during the execution of the given * callback. This provides a way to avoid useless notifications of small changes * when you will eventually send a data event manually that encompasses them * all. * * Note that this function can not be called reentrantly. * * @param {Function} callback Zero-arg function to execute. */ goog.ds.DataManager.prototype.runWithoutFiringDataChanges = function(callback) { if (this.disableFiring_) { throw Error('Can not nest calls to runWithoutFiringDataChanges'); } this.disableFiring_ = true; try { callback(); } finally { this.disableFiring_ = false; } }; /** * Fire a data change event to all listeners * * If the path matches the path of a listener, the listener will fire * * If your path is the parent of a listener, the listener will fire. I.e. * if $Contacts/bob@bob.com changes, then we will fire listener for * $Contacts/bob@bob.com/Name as well, as the assumption is that when * a parent changes, all children are invalidated. * * If your path is the child of a listener, the listener may fire, depending * on the ancestor depth. * * A listener for $Contacts might only be interested if the contact name changes * (i.e. $Contacts doesn't fire on $Contacts/bob@bob.com/Name), * while a listener for a specific contact might * (i.e. $Contacts/bob@bob.com would fire on $Contacts/bob@bob.com/Name). * Adding "/..." to a lisetener path listens to all children, and adding "/*" to * a listener path listens only to direct children * * @param {string} dataPath Fully qualified data path. */ goog.ds.DataManager.prototype.fireDataChange = function(dataPath) { if (this.disableFiring_) { return; } var expr = goog.ds.Expr.create(dataPath); var ancestorDepth = 0; // Look for listeners for expression and all its parents. // Parents of listener expressions are all added to the listenerMap as well, // so this will evaluate inner loop every time the dataPath is a child or // an ancestor of the original listener path while (expr) { var matchingListeners = this.listenerMap_[expr.getSource()]; if (matchingListeners) { for (var id in matchingListeners) { var match = matchingListeners[id]; var listener = match.listener; if (ancestorDepth <= match.maxAncestors) { listener.fn(dataPath, listener.id); } } } ancestorDepth++; expr = expr.getParent(); } this.eventCount_++; };
JavaScript
// Copyright 2006 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview * Expression evaluation utilities. Expression format is very similar to XPath. * * Expression details: * - Of format A/B/C, which will evaluate getChildNode('A').getChildNode('B'). * getChildNodes('C')|getChildNodeValue('C')|getChildNode('C') depending on * call * - If expression ends with '/name()', will get the name() of the node * referenced by the preceding path. * - If expression ends with '/count()', will get the count() of the nodes that * match the expression referenced by the preceding path. * - If expression ends with '?', the value is OK to evaluate to null. This is * not enforced by the expression evaluation functions, instead it is * provided as a flag for client code which may ignore depending on usage * - If expression has [INDEX], will use getChildNodes().getByIndex(INDEX) * */ goog.provide('goog.ds.Expr'); goog.require('goog.ds.BasicNodeList'); goog.require('goog.ds.EmptyNodeList'); goog.require('goog.string'); /** * Create a new expression. An expression uses a string expression language, and * from this string and a passed in DataNode can evaluate to a value, DataNode, * or a DataNodeList. * * @param {string=} opt_expr The string expression. * @constructor */ goog.ds.Expr = function(opt_expr) { if (opt_expr) { this.setSource_(opt_expr); } }; /** * Set the source expression text & parse * * @param {string} expr The string expression source. * @param {Array=} opt_parts Array of the parts of an expression. * @param {goog.ds.Expr=} opt_childExpr Optional child of this expression, * passed in as a hint for processing. * @param {goog.ds.Expr=} opt_prevExpr Optional preceding expression * (i.e. $A/B/C is previous expression to B/C) passed in as a hint for * processing. * @private */ goog.ds.Expr.prototype.setSource_ = function(expr, opt_parts, opt_childExpr, opt_prevExpr) { this.src_ = expr; if (!opt_childExpr && !opt_prevExpr) { // Check whether it can be empty if (goog.string.endsWith(expr, goog.ds.Expr.String_.CAN_BE_EMPTY)) { this.canBeEmpty_ = true; expr = expr.substring(0, expr.length - 1); } // Check whether this is an node function if (goog.string.endsWith(expr, '()')) { if (goog.string.endsWith(expr, goog.ds.Expr.String_.NAME_EXPR) || goog.string.endsWith(expr, goog.ds.Expr.String_.COUNT_EXPR) || goog.string.endsWith(expr, goog.ds.Expr.String_.POSITION_EXPR)) { var lastPos = expr.lastIndexOf(goog.ds.Expr.String_.SEPARATOR); if (lastPos != -1) { this.exprFn_ = expr.substring(lastPos + 1); expr = expr.substring(0, lastPos); } else { this.exprFn_ = expr; expr = goog.ds.Expr.String_.CURRENT_NODE_EXPR; } if (this.exprFn_ == goog.ds.Expr.String_.COUNT_EXPR) { this.isCount_ = true; } } } } // Split into component parts this.parts_ = opt_parts || expr.split('/'); this.size_ = this.parts_.length; this.last_ = this.parts_[this.size_ - 1]; this.root_ = this.parts_[0]; if (this.size_ == 1) { this.rootExpr_ = this; this.isAbsolute_ = goog.string.startsWith(expr, '$'); } else { this.rootExpr_ = goog.ds.Expr.createInternal_(this.root_, null, this, null); this.isAbsolute_ = this.rootExpr_.isAbsolute_; this.root_ = this.rootExpr_.root_; } if (this.size_ == 1 && !this.isAbsolute_) { // Check whether expression maps to current node, for convenience this.isCurrent_ = (expr == goog.ds.Expr.String_.CURRENT_NODE_EXPR || expr == goog.ds.Expr.String_.EMPTY_EXPR); // Whether this expression is just an attribute (i.e. '@foo') this.isJustAttribute_ = goog.string.startsWith(expr, goog.ds.Expr.String_.ATTRIBUTE_START); // Check whether this is a common node expression this.isAllChildNodes_ = expr == goog.ds.Expr.String_.ALL_CHILD_NODES_EXPR; this.isAllAttributes_ = expr == goog.ds.Expr.String_.ALL_ATTRIBUTES_EXPR; this.isAllElements_ = expr == goog.ds.Expr.String_.ALL_ELEMENTS_EXPR; } }; /** * Get the source data path for the expression * @return {string} The path. */ goog.ds.Expr.prototype.getSource = function() { return this.src_; }; /** * Gets the last part of the expression. * @return {?string} Last part of the expression. */ goog.ds.Expr.prototype.getLast = function() { return this.last_; }; /** * Gets the parent expression of this expression, or null if this is top level * @return {goog.ds.Expr} The parent. */ goog.ds.Expr.prototype.getParent = function() { if (!this.parentExprSet_) { if (this.size_ > 1) { this.parentExpr_ = goog.ds.Expr.createInternal_(null, this.parts_.slice(0, this.parts_.length - 1), this, null); } this.parentExprSet_ = true; } return this.parentExpr_; }; /** * Gets the parent expression of this expression, or null if this is top level * @return {goog.ds.Expr} The parent. */ goog.ds.Expr.prototype.getNext = function() { if (!this.nextExprSet_) { if (this.size_ > 1) { this.nextExpr_ = goog.ds.Expr.createInternal_(null, this.parts_.slice(1), null, this); } this.nextExprSet_ = true; } return this.nextExpr_; }; /** * Evaluate an expression on a data node, and return a value * Recursively walks through child nodes to evaluate * TODO(user) Support other expression functions * * @param {goog.ds.DataNode=} opt_ds Optional datasource to evaluate against. * If not provided, evaluates against DataManager global root. * @return {*} Value of the node, or null if doesn't exist. */ goog.ds.Expr.prototype.getValue = function(opt_ds) { if (opt_ds == null) { opt_ds = goog.ds.DataManager.getInstance(); } else if (this.isAbsolute_) { opt_ds = opt_ds.getDataRoot ? opt_ds.getDataRoot() : goog.ds.DataManager.getInstance(); } if (this.isCount_) { var nodes = this.getNodes(opt_ds); return nodes.getCount(); } if (this.size_ == 1) { return opt_ds.getChildNodeValue(this.root_); } else if (this.size_ == 0) { return opt_ds.get(); } var nextDs = opt_ds.getChildNode(this.root_); if (nextDs == null) { return null; } else { return this.getNext().getValue(nextDs); } }; /** * Evaluate an expression on a data node, and return matching nodes * Recursively walks through child nodes to evaluate * * @param {goog.ds.DataNode=} opt_ds Optional datasource to evaluate against. * If not provided, evaluates against data root. * @param {boolean=} opt_canCreate If true, will try to create new nodes. * @return {goog.ds.DataNodeList} Matching nodes. */ goog.ds.Expr.prototype.getNodes = function(opt_ds, opt_canCreate) { return /** @type {goog.ds.DataNodeList} */(this.getNodes_(opt_ds, false, opt_canCreate)); }; /** * Evaluate an expression on a data node, and return the first matching node * Recursively walks through child nodes to evaluate * * @param {goog.ds.DataNode=} opt_ds Optional datasource to evaluate against. * If not provided, evaluates against DataManager global root. * @param {boolean=} opt_canCreate If true, will try to create new nodes. * @return {goog.ds.DataNode} Matching nodes, or null if doesn't exist. */ goog.ds.Expr.prototype.getNode = function(opt_ds, opt_canCreate) { return /** @type {goog.ds.DataNode} */(this.getNodes_(opt_ds, true, opt_canCreate)); }; /** * Evaluate an expression on a data node, and return the first matching node * Recursively walks through child nodes to evaluate * * @param {goog.ds.DataNode=} opt_ds Optional datasource to evaluate against. * If not provided, evaluates against DataManager global root. * @param {boolean=} opt_selectOne Whether to return single matching DataNode * or matching nodes in DataNodeList. * @param {boolean=} opt_canCreate If true, will try to create new nodes. * @return {goog.ds.DataNode|goog.ds.DataNodeList} Matching node or nodes, * depending on value of opt_selectOne. * @private */ goog.ds.Expr.prototype.getNodes_ = function(opt_ds, opt_selectOne, opt_canCreate) { if (opt_ds == null) { opt_ds = goog.ds.DataManager.getInstance(); } else if (this.isAbsolute_) { opt_ds = opt_ds.getDataRoot ? opt_ds.getDataRoot() : goog.ds.DataManager.getInstance(); } if (this.size_ == 0 && opt_selectOne) { return opt_ds; } else if (this.size_ == 0 && !opt_selectOne) { return new goog.ds.BasicNodeList([opt_ds]); } else if (this.size_ == 1) { if (opt_selectOne) { return opt_ds.getChildNode(this.root_, opt_canCreate); } else { var possibleListChild = opt_ds.getChildNode(this.root_); if (possibleListChild && possibleListChild.isList()) { return possibleListChild.getChildNodes(); } else { return opt_ds.getChildNodes(this.root_); } } } else { var nextDs = opt_ds.getChildNode(this.root_, opt_canCreate); if (nextDs == null && opt_selectOne) { return null; } else if (nextDs == null && !opt_selectOne) { return new goog.ds.EmptyNodeList(); } return this.getNext().getNodes_(nextDs, opt_selectOne, opt_canCreate); } }; /** * Whether the expression can be null. * * @type {boolean} * @private */ goog.ds.Expr.prototype.canBeEmpty_ = false; /** * The parsed paths in the expression * * @type {Array.<string>} * @private */ goog.ds.Expr.prototype.parts_ = []; /** * Number of paths in the expression * * @type {?number} * @private */ goog.ds.Expr.prototype.size_ = null; /** * The root node path in the expression * * @type {string} * @private */ goog.ds.Expr.prototype.root_; /** * The last path in the expression * * @type {?string} * @private */ goog.ds.Expr.prototype.last_ = null; /** * Whether the expression evaluates to current node * * @type {boolean} * @private */ goog.ds.Expr.prototype.isCurrent_ = false; /** * Whether the expression is just an attribute * * @type {boolean} * @private */ goog.ds.Expr.prototype.isJustAttribute_ = false; /** * Does this expression select all DOM-style child nodes (element and text) * * @type {boolean} * @private */ goog.ds.Expr.prototype.isAllChildNodes_ = false; /** * Does this expression select all DOM-style attribute nodes (starts with '@') * * @type {boolean} * @private */ goog.ds.Expr.prototype.isAllAttributes_ = false; /** * Does this expression select all DOM-style element child nodes * * @type {boolean} * @private */ goog.ds.Expr.prototype.isAllElements_ = false; /** * The function used by this expression * * @type {?string} * @private */ goog.ds.Expr.prototype.exprFn_ = null; /** * Cached value for the parent expression. * @type {goog.ds.Expr?} * @private */ goog.ds.Expr.prototype.parentExpr_ = null; /** * Cached value for the next expression. * @type {goog.ds.Expr?} * @private */ goog.ds.Expr.prototype.nextExpr_ = null; /** * Create an expression from a string, can use cached values * * @param {string} expr The expression string. * @return {goog.ds.Expr} The expression object. */ goog.ds.Expr.create = function(expr) { var result = goog.ds.Expr.cache_[expr]; if (result == null) { result = new goog.ds.Expr(expr); goog.ds.Expr.cache_[expr] = result; } return result; }; /** * Create an expression from a string, can use cached values * Uses hints from related expressions to help in creation * * @param {?string=} opt_expr The string expression source. * @param {Array=} opt_parts Array of the parts of an expression. * @param {goog.ds.Expr=} opt_childExpr Optional child of this expression, * passed in as a hint for processing. * @param {goog.ds.Expr=} opt_prevExpr Optional preceding expression * (i.e. $A/B/C is previous expression to B/C) passed in as a hint for * processing. * @return {goog.ds.Expr} The expression object. * @private */ goog.ds.Expr.createInternal_ = function(opt_expr, opt_parts, opt_childExpr, opt_prevExpr) { var expr = opt_expr || opt_parts.join('/'); var result = goog.ds.Expr.cache_[expr]; if (result == null) { result = new goog.ds.Expr(); result.setSource_(expr, opt_parts, opt_childExpr, opt_prevExpr); goog.ds.Expr.cache_[expr] = result; } return result; }; /** * Cache of pre-parsed expressions * @private */ goog.ds.Expr.cache_ = {}; /** * Commonly used strings in expressions. * @enum {string} * @private */ goog.ds.Expr.String_ = { SEPARATOR: '/', CURRENT_NODE_EXPR: '.', EMPTY_EXPR: '', ATTRIBUTE_START: '@', ALL_CHILD_NODES_EXPR: '*|text()', ALL_ATTRIBUTES_EXPR: '@*', ALL_ELEMENTS_EXPR: '*', NAME_EXPR: 'name()', COUNT_EXPR: 'count()', POSITION_EXPR: 'position()', INDEX_START: '[', INDEX_END: ']', CAN_BE_EMPTY: '?' }; /** * Standard expressions */ /** * The current node */ goog.ds.Expr.CURRENT = goog.ds.Expr.create( goog.ds.Expr.String_.CURRENT_NODE_EXPR); /** * For DOM interop - all DOM child nodes (text + element). * Text nodes have dataName #text */ goog.ds.Expr.ALL_CHILD_NODES = goog.ds.Expr.create(goog.ds.Expr.String_.ALL_CHILD_NODES_EXPR); /** * For DOM interop - all DOM element child nodes */ goog.ds.Expr.ALL_ELEMENTS = goog.ds.Expr.create(goog.ds.Expr.String_.ALL_ELEMENTS_EXPR); /** * For DOM interop - all DOM attribute nodes * Attribute nodes have dataName starting with "@" */ goog.ds.Expr.ALL_ATTRIBUTES = goog.ds.Expr.create(goog.ds.Expr.String_.ALL_ATTRIBUTES_EXPR); /** * Get the dataName of a node */ goog.ds.Expr.NAME = goog.ds.Expr.create(goog.ds.Expr.String_.NAME_EXPR); /** * Get the count of nodes matching an expression */ goog.ds.Expr.COUNT = goog.ds.Expr.create(goog.ds.Expr.String_.COUNT_EXPR); /** * Get the position of the "current" node in the current node list * This will only apply for datasources that support the concept of a current * node (none exist yet). This is similar to XPath position() and concept of * current node */ goog.ds.Expr.POSITION = goog.ds.Expr.create(goog.ds.Expr.String_.POSITION_EXPR);
JavaScript
// Copyright 2006 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Generic rich data access API. * * Abstraction for data sources that allows listening for changes at different * levels of the data tree and updating the data via XHR requests * */ goog.provide('goog.ds.BaseDataNode'); goog.provide('goog.ds.BasicNodeList'); goog.provide('goog.ds.DataNode'); goog.provide('goog.ds.DataNodeList'); goog.provide('goog.ds.EmptyNodeList'); goog.provide('goog.ds.LoadState'); goog.provide('goog.ds.SortedNodeList'); goog.provide('goog.ds.Util'); goog.provide('goog.ds.logger'); goog.require('goog.array'); goog.require('goog.debug.Logger'); /** * Interface for node in rich data tree. * * Names that are reserved for system use and shouldn't be used for data node * names: eval, toSource, toString, unwatch, valueOf, watch. Behavior is * undefined if these names are used. * * @constructor */ goog.ds.DataNode = function() {}; /** * Get the value of the node * @param {...?} var_args Do not check arity of arguments, because * some subclasses require args. * @return {*} The value of the node, or null if no value. */ goog.ds.DataNode.prototype.get = goog.abstractMethod; /** * Set the value of the node * @param {*} value The new value of the node. */ goog.ds.DataNode.prototype.set = goog.abstractMethod; /** * Gets all of the child nodes of the current node. * Should return an empty DataNode list if no child nodes. * @param {string=} opt_selector String selector to choose child nodes. * @return {goog.ds.DataNodeList} The child nodes. */ goog.ds.DataNode.prototype.getChildNodes = goog.abstractMethod; /** * Gets a named child node of the current node * @param {string} name The node name. * @param {boolean=} opt_canCreate Whether to create a child node if it does not * exist. * @return {goog.ds.DataNode} The child node, or null * if no node of this name exists. */ goog.ds.DataNode.prototype.getChildNode = goog.abstractMethod; /** * Gets the value of a child node * @param {string} name The node name. * @return {*} The value of the node, or null if no value or the child node * doesn't exist. */ goog.ds.DataNode.prototype.getChildNodeValue = goog.abstractMethod; /** * Sets a named child node of the current node. * * @param {string} name The node name. * @param {Object} value The value to set, can be DataNode, object, property, * or null. If value is null, removes the child node. * @return {Object} The child node, if the node was set. */ goog.ds.DataNode.prototype.setChildNode = goog.abstractMethod; /** * Get the name of the node relative to the parent node * @return {string} The name of the node. */ goog.ds.DataNode.prototype.getDataName = goog.abstractMethod; /** * Set the name of the node relative to the parent node * @param {string} name The name of the node. */ goog.ds.DataNode.prototype.setDataName = goog.abstractMethod; /** * Gets the a qualified data path to this node * @return {string} The data path. */ goog.ds.DataNode.prototype.getDataPath = goog.abstractMethod; /** * Load or reload the backing data for this node */ goog.ds.DataNode.prototype.load = goog.abstractMethod; /** * Gets the state of the backing data for this node * @return {goog.ds.LoadState} The state. */ goog.ds.DataNode.prototype.getLoadState = goog.abstractMethod; /** * Whether the value of this node is a homogeneous list of data * @return {boolean} True if a list. */ goog.ds.DataNode.prototype.isList = goog.abstractMethod; /** * Enum for load state of a DataNode. * @enum {string} */ goog.ds.LoadState = { LOADED: 'LOADED', LOADING: 'LOADING', FAILED: 'FAILED', NOT_LOADED: 'NOT_LOADED' }; /** * Base class for data node functionality, has default implementations for * many of the functions. * * implements {goog.ds.DataNode} * @constructor */ goog.ds.BaseDataNode = function() {}; /** * Set the value of the node * @param {Object} value The new value of the node. */ goog.ds.BaseDataNode.prototype.set = goog.abstractMethod; /** * Gets all of the child nodes of the current node. * Should return an empty DataNode list if no child nodes. * @param {string=} opt_selector String selector to choose child nodes. * @return {goog.ds.DataNodeList} The child nodes. */ goog.ds.BaseDataNode.prototype.getChildNodes = function(opt_selector) { return new goog.ds.EmptyNodeList(); }; /** * Gets a named child node of the current node * @param {string} name The node name. * @param {boolean=} opt_canCreate Whether you can create the child node if * it doesn't exist already. * @return {goog.ds.DataNode} The child node, or null if no node of * this name exists and opt_create is false. */ goog.ds.BaseDataNode.prototype.getChildNode = function(name, opt_canCreate) { return null; }; /** * Gets the value of a child node * @param {string} name The node name. * @return {Object} The value of the node, or null if no value or the * child node doesn't exist. */ goog.ds.BaseDataNode.prototype.getChildNodeValue = function(name) { return null; }; /** * Get the name of the node relative to the parent node * @return {string} The name of the node. */ goog.ds.BaseDataNode.prototype.getDataName = goog.abstractMethod; /** * Gets the a qualified data path to this node * @return {string} The data path. */ goog.ds.BaseDataNode.prototype.getDataPath = function() { var parentPath = ''; var myName = this.getDataName(); if (this.getParent && this.getParent()) { parentPath = this.getParent().getDataPath() + (myName.indexOf(goog.ds.STR_ARRAY_START) != -1 ? '' : goog.ds.STR_PATH_SEPARATOR); } return parentPath + myName; }; /** * Load or reload the backing data for this node */ goog.ds.BaseDataNode.prototype.load = goog.nullFunction; /** * Gets the state of the backing data for this node * @return {goog.ds.LoadState} The state. */ goog.ds.BaseDataNode.prototype.getLoadState = function() { return goog.ds.LoadState.LOADED; }; /** * Gets the parent node. Subclasses implement this function * @type {Function} * @protected */ goog.ds.BaseDataNode.prototype.getParent = null; /** * Interface for node list in rich data tree. * * Has both map and list-style accessors * * @constructor * @extends {goog.ds.DataNode} */ // TODO(arv): Use interfaces when available. goog.ds.DataNodeList = function() {}; /** * Add a node to the node list. * If the node has a dataName, uses this for the key in the map. * * @param {goog.ds.DataNode} node The node to add. */ goog.ds.DataNodeList.prototype.add = goog.abstractMethod; /** * Get a node by string key. * Returns null if node doesn't exist. * * @param {string} key String lookup key. * @return {*} The node, or null if doesn't exist. * @override */ goog.ds.DataNodeList.prototype.get = goog.abstractMethod; /** * Get a node by index * Returns null if the index is out of range * * @param {number} index The index of the node. * @return {goog.ds.DataNode} The node, or null if doesn't exist. */ goog.ds.DataNodeList.prototype.getByIndex = goog.abstractMethod; /** * Gets the size of the node list * * @return {number} The size of the list. */ goog.ds.DataNodeList.prototype.getCount = goog.abstractMethod; /** * Sets a node in the list of a given name * @param {string} name Name of the node. * @param {goog.ds.DataNode} node The node. */ goog.ds.DataNodeList.prototype.setNode = goog.abstractMethod; /** * Removes a node in the list of a given name * @param {string} name Name of the node. * @return {boolean} True if node existed and was deleted. */ goog.ds.DataNodeList.prototype.removeNode = goog.abstractMethod; /** * Simple node list implementation with underlying array and map * implements goog.ds.DataNodeList. * * Names that are reserved for system use and shouldn't be used for data node * names: eval, toSource, toString, unwatch, valueOf, watch. Behavior is * undefined if these names are used. * * @param {Array.<goog.ds.DataNode>=} opt_nodes optional nodes to add to list. * @constructor * @extends {goog.ds.DataNodeList} */ // TODO(arv): Use interfaces when available. goog.ds.BasicNodeList = function(opt_nodes) { this.map_ = {}; this.list_ = []; this.indexMap_ = {}; if (opt_nodes) { for (var i = 0, node; node = opt_nodes[i]; i++) { this.add(node); } } }; /** * Add a node to the node list. * If the node has a dataName, uses this for the key in the map. * TODO(user) Remove function as well * * @param {goog.ds.DataNode} node The node to add. * @override */ goog.ds.BasicNodeList.prototype.add = function(node) { this.list_.push(node); var dataName = node.getDataName(); if (dataName) { this.map_[dataName] = node; this.indexMap_[dataName] = this.list_.length - 1; } }; /** * Get a node by string key. * Returns null if node doesn't exist. * * @param {string} key String lookup key. * @return {goog.ds.DataNode} The node, or null if doesn't exist. * @override */ goog.ds.BasicNodeList.prototype.get = function(key) { return this.map_[key] || null; }; /** * Get a node by index * Returns null if the index is out of range * * @param {number} index The index of the node. * @return {goog.ds.DataNode} The node, or null if doesn't exist. * @override */ goog.ds.BasicNodeList.prototype.getByIndex = function(index) { return this.list_[index] || null; }; /** * Gets the size of the node list * * @return {number} The size of the list. * @override */ goog.ds.BasicNodeList.prototype.getCount = function() { return this.list_.length; }; /** * Sets a node in the list of a given name * @param {string} name Name of the node. * @param {goog.ds.DataNode} node The node. * @override */ goog.ds.BasicNodeList.prototype.setNode = function(name, node) { if (node == null) { this.removeNode(name); } else { var existingNode = this.indexMap_[name]; if (existingNode != null) { this.map_[name] = node; this.list_[existingNode] = node; } else { this.add(node); } } }; /** * Removes a node in the list of a given name * @param {string} name Name of the node. * @return {boolean} True if node existed and was deleted. * @override */ goog.ds.BasicNodeList.prototype.removeNode = function(name) { var existingNode = this.indexMap_[name]; if (existingNode != null) { this.list_.splice(existingNode, 1); delete this.map_[name]; delete this.indexMap_[name]; for (var index in this.indexMap_) { if (this.indexMap_[index] > existingNode) { this.indexMap_[index]--; } } } return existingNode != null; }; /** * Get the index of a named node * @param {string} name The name of the node to get the index of. * @return {number|undefined} The index. */ goog.ds.BasicNodeList.prototype.indexOf = function(name) { return this.indexMap_[name]; }; /** * Immulatable empty node list * @extends {goog.ds.BasicNodeList} * @constructor */ goog.ds.EmptyNodeList = function() { goog.ds.BasicNodeList.call(this); }; goog.inherits(goog.ds.EmptyNodeList, goog.ds.BasicNodeList); /** * Add a node to the node list. * If the node has a dataName, uses this for the key in the map. * * @param {goog.ds.DataNode} node The node to add. * @override */ goog.ds.EmptyNodeList.prototype.add = function(node) { throw Error('Can\'t add to EmptyNodeList'); }; /** * Node list implementation which maintains sort order during insertion and * modification operations based on a comparison function. * * The SortedNodeList does not guarantee sort order will be maintained if * the underlying data nodes are modified externally. * * Names that are reserved for system use and shouldn't be used for data node * names: eval, toSource, toString, unwatch, valueOf, watch. Behavior is * undefined if these names are used. * * @param {Function} compareFn Comparison function by which the * node list is sorted. Should take 2 arguments to compare, and return a * negative integer, zero, or a positive integer depending on whether the * first argument is less than, equal to, or greater than the second. * @param {Array.<goog.ds.DataNode>=} opt_nodes optional nodes to add to list; * these are assumed to be in sorted order. * @extends {goog.ds.BasicNodeList} * @constructor */ goog.ds.SortedNodeList = function(compareFn, opt_nodes) { this.compareFn_ = compareFn; goog.ds.BasicNodeList.call(this, opt_nodes); }; goog.inherits(goog.ds.SortedNodeList, goog.ds.BasicNodeList); /** * Add a node to the node list, maintaining sort order. * If the node has a dataName, uses this for the key in the map. * * @param {goog.ds.DataNode} node The node to add. * @override */ goog.ds.SortedNodeList.prototype.add = function(node) { if (!this.compareFn_) { this.append(node); return; } var searchLoc = goog.array.binarySearch(this.list_, node, this.compareFn_); // if there is another node that is "equal" according to the comparison // function, insert before that one; otherwise insert at the location // goog.array.binarySearch indicated if (searchLoc < 0) { searchLoc = -(searchLoc + 1); } // update any indexes that are after the insertion point for (var index in this.indexMap_) { if (this.indexMap_[index] >= searchLoc) { this.indexMap_[index]++; } } goog.array.insertAt(this.list_, node, searchLoc); var dataName = node.getDataName(); if (dataName) { this.map_[dataName] = node; this.indexMap_[dataName] = searchLoc; } }; /** * Adds the given node to the end of the SortedNodeList. This should * only be used when the caller can guarantee that the sort order will * be maintained according to this SortedNodeList's compareFn (e.g. * when initializing a new SortedNodeList from a list of nodes that has * already been sorted). * @param {goog.ds.DataNode} node The node to append. */ goog.ds.SortedNodeList.prototype.append = function(node) { goog.ds.SortedNodeList.superClass_.add.call(this, node); }; /** * Sets a node in the list of a given name, maintaining sort order. * @param {string} name Name of the node. * @param {goog.ds.DataNode} node The node. * @override */ goog.ds.SortedNodeList.prototype.setNode = function(name, node) { if (node == null) { this.removeNode(name); } else { var existingNode = this.indexMap_[name]; if (existingNode != null) { if (this.compareFn_) { var compareResult = this.compareFn_(this.list_[existingNode], node); if (compareResult == 0) { // the new node can just replace the old one this.map_[name] = node; this.list_[existingNode] = node; } else { // remove the old node, then add the new one this.removeNode(name); this.add(node); } } } else { this.add(node); } } }; /** * The character denoting an attribute. * @type {string} */ goog.ds.STR_ATTRIBUTE_START = '@'; /** * The character denoting all children. * @type {string} */ goog.ds.STR_ALL_CHILDREN_SELECTOR = '*'; /** * The wildcard character. * @type {string} */ goog.ds.STR_WILDCARD = '*'; /** * The character denoting path separation. * @type {string} */ goog.ds.STR_PATH_SEPARATOR = '/'; /** * The character denoting the start of an array. * @type {string} */ goog.ds.STR_ARRAY_START = '['; /** * Shared logger instance for data package * @type {goog.debug.Logger} */ goog.ds.logger = goog.debug.Logger.getLogger('goog.ds'); /** * Create a data node that references another data node, * useful for pointer-like functionality. * All functions will return same values as the original node except for * getDataName() * @param {!goog.ds.DataNode} node The original node. * @param {string} name The new name. * @return {!goog.ds.DataNode} The new data node. */ goog.ds.Util.makeReferenceNode = function(node, name) { /** * @constructor * @extends {goog.ds.DataNode} */ var nodeCreator = function() {}; nodeCreator.prototype = node; var newNode = new nodeCreator(); newNode.getDataName = function() { return name; }; return newNode; };
JavaScript
// Copyright 2007 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview * Efficient implementation of DataNode API. * * The implementation consists of three concrete classes for modelling * DataNodes with different characteristics: FastDataNode, * FastPrimitiveDataNode and FastListNode. * * FastDataNode is for bean-like or map-like objects that consists of * key/value mappings and where the primary access pattern is by key. * * FastPrimitiveDataNode wraps primitives like strings, boolean, and numbers. * * FastListNode is for array-like data nodes. It also supports key-based * lookups if the data nodes have an "id" property or if child nodes are * explicitly added by name. It is most efficient if these features are not * used. * * FastDataNodes can be constructed from JSON-like objects via the function * goog.ds.FastDataNode.fromJs. */ goog.provide('goog.ds.AbstractFastDataNode'); goog.provide('goog.ds.FastDataNode'); goog.provide('goog.ds.FastListNode'); goog.provide('goog.ds.PrimitiveFastDataNode'); goog.require('goog.ds.DataManager'); goog.require('goog.ds.EmptyNodeList'); goog.require('goog.string'); /* * Implementation note: In order to reduce the number of objects, * FastDataNode stores its key/value mappings directly in the FastDataNode * object iself (instead of a separate map). To make this work we have to * sure that there are no name clashes with other attribute names used by * FastDataNode (like dataName and parent). This is especially difficult in * the light of automatic renaming by the JavaScript compiler. For this reason, * all internal attributes start with "__" so that they are not renamed * by the compiler. */ /** * Creates a new abstract data node. * @param {string} dataName Name of the datanode. * @param {goog.ds.DataNode=} opt_parent Parent of this data node. * @constructor * @extends {goog.ds.DataNodeList} */ // TODO(arv): Use interfaces when available. goog.ds.AbstractFastDataNode = function(dataName, opt_parent) { if (!dataName) { throw Error('Cannot create a fast data node without a data name'); } this['__dataName'] = dataName; this['__parent'] = opt_parent; }; /** * Return the name of this data node. * @return {string} Name of this data noden. * @override */ goog.ds.AbstractFastDataNode.prototype.getDataName = function() { return this['__dataName']; }; /** * Set the name of this data node. * @param {string} value Name. * @override */ goog.ds.AbstractFastDataNode.prototype.setDataName = function(value) { this['__dataName'] = value; }; /** * Get the path leading to this data node. * @return {string} Data path. * @override */ goog.ds.AbstractFastDataNode.prototype.getDataPath = function() { var parentPath; if (this['__parent']) { parentPath = this['__parent'].getDataPath() + goog.ds.STR_PATH_SEPARATOR; } else { parentPath = ''; } return parentPath + this.getDataName(); }; /** * Creates a new fast data node, using the properties of root. * @param {Object} root JSON-like object to initialize data node from. * @param {string} dataName Name of this data node. * @param {goog.ds.DataNode=} opt_parent Parent of this data node. * @extends {goog.ds.AbstractFastDataNode} * @constructor */ goog.ds.FastDataNode = function(root, dataName, opt_parent) { goog.ds.AbstractFastDataNode.call(this, dataName, opt_parent); this.extendWith_(root); }; goog.inherits(goog.ds.FastDataNode, goog.ds.AbstractFastDataNode); /** * Add all attributes of object to this data node. * @param {Object} object Object to add attributes from. * @protected * @suppress {underscore} */ goog.ds.FastDataNode.prototype.extendWith_ = function(object) { for (var key in object) { this[key] = object[key]; } }; /** * Creates a new FastDataNode structure initialized from object. This will * return an instance of the most suitable sub-class of FastDataNode. * * You should not modify object after creating a fast data node from it * or assume that changing object changes the data node. Doing so results * in undefined behaviour. * * @param {Object|number|boolean|string} object Object to initialize data * node from. * @param {string} dataName Name of data node. * @param {goog.ds.DataNode=} opt_parent Parent of data node. * @return {goog.ds.AbstractFastDataNode} Data node representing object. */ goog.ds.FastDataNode.fromJs = function(object, dataName, opt_parent) { if (goog.isArray(object)) { return new goog.ds.FastListNode(object, dataName, opt_parent); } else if (goog.isObject(object)) { return new goog.ds.FastDataNode(object, dataName, opt_parent); } else { return new goog.ds.PrimitiveFastDataNode(object || !!object, dataName, opt_parent); } }; /** * Static instance of an empty list. * @type {goog.ds.EmptyNodeList} * @private */ goog.ds.FastDataNode.emptyList_ = new goog.ds.EmptyNodeList(); /** * Not supported for normal FastDataNodes. * @param {*} value Value to set data node to. * @override */ goog.ds.FastDataNode.prototype.set = function(value) { throw 'Not implemented yet'; }; /** @override */ goog.ds.FastDataNode.prototype.getChildNodes = function(opt_selector) { if (!opt_selector || opt_selector == goog.ds.STR_ALL_CHILDREN_SELECTOR) { return this; } else if (opt_selector.indexOf(goog.ds.STR_WILDCARD) == -1) { var child = this.getChildNode(opt_selector); return child ? new goog.ds.FastListNode([child], '') : new goog.ds.EmptyNodeList(); } else { throw Error('Unsupported selector: ' + opt_selector); } }; /** * Makes sure that a named child is wrapped in a data node structure. * @param {string} name Name of child to wrap. * @private */ goog.ds.FastDataNode.prototype.wrapChild_ = function(name) { var child = this[name]; if (child != null && !child.getDataName) { this[name] = goog.ds.FastDataNode.fromJs(this[name], name, this); } }; /** * Get a child node by name. * @param {string} name Name of child node. * @param {boolean=} opt_create Whether to create the child if it does not * exist. * @return {goog.ds.DataNode} Child node. * @override */ goog.ds.FastDataNode.prototype.getChildNode = function(name, opt_create) { this.wrapChild_(name); // this[name] always is a data node object, so using "||" is fine. var child = this[name] || null; if (child == null && opt_create) { child = new goog.ds.FastDataNode({}, name, this); this[name] = child; } return child; }; /** * Sets a child node. Creates the child if it does not exist. * * Calling this function makes any child nodes previously obtained for name * invalid. You should not use these child nodes but instead obtain a new * instance by calling getChildNode. * * @override */ goog.ds.FastDataNode.prototype.setChildNode = function(name, value) { if (value != null) { this[name] = value; } else { delete this[name]; } goog.ds.DataManager.getInstance().fireDataChange(this.getDataPath() + goog.ds.STR_PATH_SEPARATOR + name); return null; }; /** * Returns the value of a child node. By using this method you can avoid * the need to create PrimitiveFastData nodes. * @param {string} name Name of child node. * @return {Object} Value of child node. * @override */ goog.ds.FastDataNode.prototype.getChildNodeValue = function(name) { var child = this[name]; if (child != null) { return (child.getDataName ? child.get() : child); } else { return null; } }; /** * Returns whether this data node is a list. Always returns false for * instances of FastDataNode but may return true for subclasses. * @return {boolean} Whether this data node is array-like. * @override */ goog.ds.FastDataNode.prototype.isList = function() { return false; }; /** * Returns a javascript object representation of this data node. You should * not modify the object returned by this function. * @return {Object} Javascript object representation of this data node. */ goog.ds.FastDataNode.prototype.getJsObject = function() { var result = {}; for (var key in this) { if (!goog.string.startsWith(key, '__') && !goog.isFunction(this[key])) { result[key] = (this[key]['__dataName'] ? this[key].getJsObject() : this[key]); } } return result; }; /** * Creates a deep copy of this data node. * @return {goog.ds.FastDataNode} Clone of this data node. */ goog.ds.FastDataNode.prototype.clone = function() { return /** @type {goog.ds.FastDataNode} */(goog.ds.FastDataNode.fromJs( this.getJsObject(), this.getDataName())); }; /* * Implementation of goog.ds.DataNodeList for FastDataNode. */ /** * Adds a child to this data node. * @param {goog.ds.DataNode} value Child node to add. * @override */ goog.ds.FastDataNode.prototype.add = function(value) { this.setChildNode(value.getDataName(), value); }; /** * Gets the value of this data node (if called without opt_key) or * gets a child node (if called with opt_key). * @param {string=} opt_key Name of child node. * @return {*} This data node or a child node. * @override */ goog.ds.FastDataNode.prototype.get = function(opt_key) { if (!goog.isDef(opt_key)) { // if there is no key, DataNode#get was called return this; } else { return this.getChildNode(opt_key); } }; /** * Gets a child node by index. This method has a complexity of O(n) where * n is the number of children. If you need a faster implementation of this * method, you should use goog.ds.FastListNode. * @param {number} index Index of child node (starting from 0). * @return {goog.ds.DataNode} Child node at specified index. * @override */ goog.ds.FastDataNode.prototype.getByIndex = function(index) { var i = 0; for (var key in this) { if (!goog.string.startsWith(key, '__') && !goog.isFunction(this[key])) { if (i == index) { this.wrapChild_(key); return this[key]; } ++i; } } return null; }; /** * Gets the number of child nodes. This method has a complexity of O(n) where * n is the number of children. If you need a faster implementation of this * method, you should use goog.ds.FastListNode. * @return {number} Number of child nodes. * @override */ goog.ds.FastDataNode.prototype.getCount = function() { var count = 0; for (var key in this) { if (!goog.string.startsWith(key, '__') && !goog.isFunction(this[key])) { ++count; } } // maybe cache this? return count; }; /** * Sets a child node. * @param {string} name Name of child node. * @param {Object} value Value of child node. * @override */ goog.ds.FastDataNode.prototype.setNode = function(name, value) { this.setChildNode(name, value); }; /** * Removes a child node. * @override */ goog.ds.FastDataNode.prototype.removeNode = function(name) { delete this[name]; return false; }; /** * Creates a new data node wrapping a primitive value. * @param {number|boolean|string} value Value the value to wrap. * @param {string} dataName name Name of this data node. * @param {goog.ds.DataNode=} opt_parent Parent of this data node. * @extends {goog.ds.AbstractFastDataNode} * @constructor */ goog.ds.PrimitiveFastDataNode = function(value, dataName, opt_parent) { this.value_ = value; goog.ds.AbstractFastDataNode.call(this, dataName, opt_parent); }; goog.inherits(goog.ds.PrimitiveFastDataNode, goog.ds.AbstractFastDataNode); /** * Returns the value of this data node. * @return {(boolean|number|string)} Value of this data node. * @override */ goog.ds.PrimitiveFastDataNode.prototype.get = function() { return this.value_; }; /** * Sets this data node to a new value. * @param {*} value Value to set data node to. * @override */ goog.ds.PrimitiveFastDataNode.prototype.set = function(value) { if (goog.isArray(value) || goog.isObject(value)) { throw Error('can only set PrimitiveFastDataNode to primitive values'); } this.value_ = value; goog.ds.DataManager.getInstance().fireDataChange(this.getDataPath()); }; /** * Returns child nodes of this data node. Always returns an unmodifiable, * empty list. * @return {goog.ds.DataNodeList} (Empty) list of child nodes. * @override */ goog.ds.PrimitiveFastDataNode.prototype.getChildNodes = function() { return goog.ds.FastDataNode.emptyList_; }; /** * Get a child node by name. Always returns null. * @param {string} name Name of child node. * @return {goog.ds.DataNode} Child node. * @override */ goog.ds.PrimitiveFastDataNode.prototype.getChildNode = function(name) { return null; }; /** * Returns the value of a child node. Always returns null. * @param {string} name Name of child node. * @return {Object} Value of child node. * @override */ goog.ds.PrimitiveFastDataNode.prototype.getChildNodeValue = function(name) { return null; }; /** * Not supported by primitive data nodes. * @param {string} name Name of child node. * @param {Object} value Value of child node. * @override */ goog.ds.PrimitiveFastDataNode.prototype.setChildNode = function(name, value) { throw Error('Cannot set a child node for a PrimitiveFastDataNode'); }; /** * Returns whether this data node is a list. Always returns false for * instances of PrimitiveFastDataNode. * @return {boolean} Whether this data node is array-like. * @override */ goog.ds.PrimitiveFastDataNode.prototype.isList = function() { return false; }; /** * Returns a javascript object representation of this data node. You should * not modify the object returned by this function. * @return {*} Javascript object representation of this data node. */ goog.ds.PrimitiveFastDataNode.prototype.getJsObject = function() { return this.value_; }; /** * Creates a new list node from an array. * @param {Array} values values hold by this list node. * @param {string} dataName name of this node. * @param {goog.ds.DataNode=} opt_parent parent of this node. * @extends {goog.ds.AbstractFastDataNode} * @constructor */ // TODO(arv): Use interfaces when available. This implements DataNodeList // as well. goog.ds.FastListNode = function(values, dataName, opt_parent) { this.values_ = []; for (var i = 0; i < values.length; ++i) { var name = values[i].id || ('[' + i + ']'); this.values_.push(goog.ds.FastDataNode.fromJs(values[i], name, this)); if (values[i].id) { if (!this.map_) { this.map_ = {}; } this.map_[values[i].id] = i; } } goog.ds.AbstractFastDataNode.call(this, dataName, opt_parent); }; goog.inherits(goog.ds.FastListNode, goog.ds.AbstractFastDataNode); /** * Not supported for FastListNodes. * @param {*} value Value to set data node to. * @override */ goog.ds.FastListNode.prototype.set = function(value) { throw Error('Cannot set a FastListNode to a new value'); }; /** * Returns child nodes of this data node. Currently, only supports * returning all children. * @return {goog.ds.DataNodeList} List of child nodes. * @override */ goog.ds.FastListNode.prototype.getChildNodes = function() { return this; }; /** * Get a child node by name. * @param {string} key Name of child node. * @param {boolean=} opt_create Whether to create the child if it does not * exist. * @return {goog.ds.DataNode} Child node. * @override */ goog.ds.FastListNode.prototype.getChildNode = function(key, opt_create) { var index = this.getKeyAsNumber_(key); if (index == null && this.map_) { index = this.map_[key]; } if (index != null && this.values_[index]) { return this.values_[index]; } else if (opt_create) { this.setChildNode(key, {}); return this.getChildNode(key); } else { return null; } }; /** * Returns the value of a child node. * @param {string} key Name of child node. * @return {*} Value of child node. * @override */ goog.ds.FastListNode.prototype.getChildNodeValue = function(key) { var child = this.getChildNode(key); return (child ? child.get() : null); }; /** * Tries to interpret key as a numeric index enclosed by square brakcets. * @param {string} key Key that should be interpreted as a number. * @return {?number} Numeric index or null if key is not of the form * described above. * @private */ goog.ds.FastListNode.prototype.getKeyAsNumber_ = function(key) { if (key.charAt(0) == '[' && key.charAt(key.length - 1) == ']') { return Number(key.substring(1, key.length - 1)); } else { return null; } }; /** * Sets a child node. Creates the child if it does not exist. To set * children at a certain index, use a key of the form '[index]'. Note, that * you can only set values at existing numeric indices. To add a new node * to this list, you have to use the add method. * * Calling this function makes any child nodes previously obtained for name * invalid. You should not use these child nodes but instead obtain a new * instance by calling getChildNode. * * @override */ goog.ds.FastListNode.prototype.setChildNode = function(key, value) { var count = this.values_.length; if (value != null) { if (!value.getDataName) { value = goog.ds.FastDataNode.fromJs(value, key, this); } var index = this.getKeyAsNumber_(key); if (index != null) { if (index < 0 || index >= this.values_.length) { throw Error('List index out of bounds: ' + index); } this.values_[key] = value; } else { if (!this.map_) { this.map_ = {}; } this.values_.push(value); this.map_[key] = this.values_.length - 1; } } else { this.removeNode(key); } var dm = goog.ds.DataManager.getInstance(); dm.fireDataChange(this.getDataPath() + goog.ds.STR_PATH_SEPARATOR + key); if (this.values_.length != count) { this.listSizeChanged_(); } return null; }; /** * Fire data changes that are appropriate when the size of this list changes. * Should be called whenever the list size has changed. * @private */ goog.ds.FastListNode.prototype.listSizeChanged_ = function() { var dm = goog.ds.DataManager.getInstance(); dm.fireDataChange(this.getDataPath()); dm.fireDataChange(this.getDataPath() + goog.ds.STR_PATH_SEPARATOR + 'count()'); }; /** * Returns whether this data node is a list. Always returns true. * @return {boolean} Whether this data node is array-like. * @override */ goog.ds.FastListNode.prototype.isList = function() { return true; }; /** * Returns a javascript object representation of this data node. You should * not modify the object returned by this function. * @return {Object} Javascript object representation of this data node. */ goog.ds.FastListNode.prototype.getJsObject = function() { var result = []; for (var i = 0; i < this.values_.length; ++i) { result.push(this.values_[i].getJsObject()); } return result; }; /* * Implementation of goog.ds.DataNodeList for FastListNode. */ /** * Adds a child to this data node * @param {goog.ds.DataNode} value Child node to add. * @override */ goog.ds.FastListNode.prototype.add = function(value) { if (!value.getDataName) { value = goog.ds.FastDataNode.fromJs(value, String('[' + (this.values_.length) + ']'), this); } this.values_.push(value); var dm = goog.ds.DataManager.getInstance(); dm.fireDataChange(this.getDataPath() + goog.ds.STR_PATH_SEPARATOR + '[' + (this.values_.length - 1) + ']'); this.listSizeChanged_(); }; /** * Gets the value of this data node (if called without opt_key) or * gets a child node (if called with opt_key). * @param {string=} opt_key Name of child node. * @return {Array|goog.ds.DataNode} Array of child nodes (if called without * opt_key), or a named child node otherwise. * @override */ goog.ds.FastListNode.prototype.get = function(opt_key) { // if there are no arguments, DataNode.get was called if (!goog.isDef(opt_key)) { return this.values_; } else { return this.getChildNode(opt_key); } }; /** * Gets a child node by (numeric) index. * @param {number} index Index of child node (starting from 0). * @return {goog.ds.DataNode} Child node at specified index. * @override */ goog.ds.FastListNode.prototype.getByIndex = function(index) { var child = this.values_[index]; return (child != null ? child : null); // never return undefined }; /** * Gets the number of child nodes. * @return {number} Number of child nodes. * @override */ goog.ds.FastListNode.prototype.getCount = function() { return this.values_.length; }; /** * Sets a child node. * @param {string} name Name of child node. * @param {Object} value Value of child node. * @override */ goog.ds.FastListNode.prototype.setNode = function(name, value) { throw Error('Setting child nodes of a FastListNode is not implemented, yet'); }; /** * Removes a child node. * @override */ goog.ds.FastListNode.prototype.removeNode = function(name) { var index = this.getKeyAsNumber_(name); if (index == null && this.map_) { index = this.map_[name]; } if (index != null) { this.values_.splice(index, 1); if (this.map_) { var keyToDelete = null; for (var key in this.map_) { if (this.map_[key] == index) { keyToDelete = key; } else if (this.map_[key] > index) { --this.map_[key]; } } if (keyToDelete) { delete this.map_[keyToDelete]; } } var dm = goog.ds.DataManager.getInstance(); dm.fireDataChange(this.getDataPath() + goog.ds.STR_PATH_SEPARATOR + '[' + index + ']'); this.listSizeChanged_(); } return false; }; /** * Returns the index of a named child nodes. This method only works if * this list uses mixed name/indexed lookup, i.e. if its child node have * an 'id' attribute. * @param {string} name Name of child node to determine index of. * @return {number} Index of child node named name. */ goog.ds.FastListNode.prototype.indexOf = function(name) { var index = this.getKeyAsNumber_(name); if (index == null && this.map_) { index = this.map_[name]; } if (index == null) { throw Error('Cannot determine index for: ' + name); } return /** @type {number} */(index); };
JavaScript
// Copyright 2006 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview * Implementations of DataNode for wrapping XML data. * */ goog.provide('goog.ds.XmlDataSource'); goog.provide('goog.ds.XmlHttpDataSource'); goog.require('goog.Uri'); goog.require('goog.dom.NodeType'); goog.require('goog.dom.xml'); goog.require('goog.ds.BasicNodeList'); goog.require('goog.ds.DataManager'); goog.require('goog.ds.LoadState'); goog.require('goog.ds.logger'); goog.require('goog.net.XhrIo'); goog.require('goog.string'); /** * Data source whose backing is an xml node * * @param {Node} node The XML node. Can be null. * @param {goog.ds.XmlDataSource} parent Parent of XML element. Can be null. * @param {string=} opt_name The name of this node relative to the parent node. * * @extends {goog.ds.DataNode} * @constructor */ // TODO(arv): Use interfaces when available. goog.ds.XmlDataSource = function(node, parent, opt_name) { this.parent_ = parent; this.dataName_ = opt_name || (node ? node.nodeName : ''); this.setNode_(node); }; /** * Constant to select XML attributes for getChildNodes * @type {string} * @private */ goog.ds.XmlDataSource.ATTRIBUTE_SELECTOR_ = '@*'; /** * Set the current root nodeof the data source. * Can be an attribute node, text node, or element node * @param {Node} node The node. Can be null. * * @private */ goog.ds.XmlDataSource.prototype.setNode_ = function(node) { this.node_ = node; if (node != null) { switch (node.nodeType) { case goog.dom.NodeType.ATTRIBUTE: case goog.dom.NodeType.TEXT: this.value_ = node.nodeValue; break; case goog.dom.NodeType.ELEMENT: if (node.childNodes.length == 1 && node.firstChild.nodeType == goog.dom.NodeType.TEXT) { this.value_ = node.firstChild.nodeValue; } } } }; /** * Creates the DataNodeList with the child nodes for this element. * Allows for only building list as needed. * * @private */ goog.ds.XmlDataSource.prototype.createChildNodes_ = function() { if (this.childNodeList_) { return; } var childNodeList = new goog.ds.BasicNodeList(); if (this.node_ != null) { var childNodes = this.node_.childNodes; for (var i = 0, childNode; childNode = childNodes[i]; i++) { if (childNode.nodeType != goog.dom.NodeType.TEXT || !goog.ds.XmlDataSource.isEmptyTextNodeValue_(childNode.nodeValue)) { var newNode = new goog.ds.XmlDataSource(childNode, this, childNode.nodeName); childNodeList.add(newNode); } } } this.childNodeList_ = childNodeList; }; /** * Creates the DataNodeList with the attributes for the element * Allows for only building list as needed. * * @private */ goog.ds.XmlDataSource.prototype.createAttributes_ = function() { if (this.attributes_) { return; } var attributes = new goog.ds.BasicNodeList(); if (this.node_ != null && this.node_.attributes != null) { var atts = this.node_.attributes; for (var i = 0, att; att = atts[i]; i++) { var newNode = new goog.ds.XmlDataSource(att, this, att.nodeName); attributes.add(newNode); } } this.attributes_ = attributes; }; /** * Get the value of the node * @return {Object} The value of the node, or null if no value. * @override */ goog.ds.XmlDataSource.prototype.get = function() { this.createChildNodes_(); return this.value_; }; /** * Set the value of the node * @param {*} value The new value of the node. * @override */ goog.ds.XmlDataSource.prototype.set = function(value) { throw Error('Can\'t set on XmlDataSource yet'); }; /** @override */ goog.ds.XmlDataSource.prototype.getChildNodes = function(opt_selector) { if (opt_selector && opt_selector == goog.ds.XmlDataSource.ATTRIBUTE_SELECTOR_) { this.createAttributes_(); return this.attributes_; } else if (opt_selector == null || opt_selector == goog.ds.STR_ALL_CHILDREN_SELECTOR) { this.createChildNodes_(); return this.childNodeList_; } else { throw Error('Unsupported selector'); } }; /** * Gets a named child node of the current node * @param {string} name The node name. * @return {goog.ds.DataNode} The child node, or null if * no node of this name exists. * @override */ goog.ds.XmlDataSource.prototype.getChildNode = function(name) { if (goog.string.startsWith(name, goog.ds.STR_ATTRIBUTE_START)) { var att = this.node_.getAttributeNode(name.substring(1)); return att ? new goog.ds.XmlDataSource(att, this) : null; } else { return /** @type {goog.ds.DataNode} */ (this.getChildNodes().get(name)); } }; /** * Gets the value of a child node * @param {string} name The node name. * @return {*} The value of the node, or null if no value or the child node * doesn't exist. * @override */ goog.ds.XmlDataSource.prototype.getChildNodeValue = function(name) { if (goog.string.startsWith(name, goog.ds.STR_ATTRIBUTE_START)) { var node = this.node_.getAttributeNode(name.substring(1)); return node ? node.nodeValue : null; } else { var node = this.getChildNode(name); return node ? node.get() : null; } }; /** * Get the name of the node relative to the parent node * @return {string} The name of the node. * @override */ goog.ds.XmlDataSource.prototype.getDataName = function() { return this.dataName_; }; /** * Setthe name of the node relative to the parent node * @param {string} name The name of the node. * @override */ goog.ds.XmlDataSource.prototype.setDataName = function(name) { this.dataName_ = name; }; /** * Gets the a qualified data path to this node * @return {string} The data path. * @override */ goog.ds.XmlDataSource.prototype.getDataPath = function() { var parentPath = ''; if (this.parent_) { parentPath = this.parent_.getDataPath() + (this.dataName_.indexOf(goog.ds.STR_ARRAY_START) != -1 ? '' : goog.ds.STR_PATH_SEPARATOR); } return parentPath + this.dataName_; }; /** * Load or reload the backing data for this node * @override */ goog.ds.XmlDataSource.prototype.load = function() { // Nothing to do }; /** * Gets the state of the backing data for this node * @return {goog.ds.LoadState} The state. * @override */ goog.ds.XmlDataSource.prototype.getLoadState = function() { return this.node_ ? goog.ds.LoadState.LOADED : goog.ds.LoadState.NOT_LOADED; }; /** * Check whether a node is an empty text node. Nodes consisting of only white * space (#x20, #xD, #xA, #x9) can generally be collapsed to a zero length * text string. * @param {string} str String to match. * @return {boolean} True if string equates to empty text node. * @private */ goog.ds.XmlDataSource.isEmptyTextNodeValue_ = function(str) { return /^[\r\n\t ]*$/.test(str); }; /** * Creates an XML document with one empty node. * Useful for places where you need a node that * can be queried against. * * @return {Document} Document with one empty node. * @private */ goog.ds.XmlDataSource.createChildlessDocument_ = function() { return goog.dom.xml.createDocument('nothing'); }; /** * Data source whose backing is an XMLHttpRequest, * * A URI of an empty string will mean that no request is made * and the data source will be a single, empty node. * * @param {(string,goog.Uri)} uri URL of the XMLHttpRequest. * @param {string} name Name of the datasource. * * implements goog.ds.XmlHttpDataSource. * @constructor * @extends {goog.ds.XmlDataSource} */ goog.ds.XmlHttpDataSource = function(uri, name) { goog.ds.XmlDataSource.call(this, null, null, name); if (uri) { this.uri_ = new goog.Uri(uri); } else { this.uri_ = null; } }; goog.inherits(goog.ds.XmlHttpDataSource, goog.ds.XmlDataSource); /** * Default load state is NOT_LOADED * @private */ goog.ds.XmlHttpDataSource.prototype.loadState_ = goog.ds.LoadState.NOT_LOADED; /** * Load or reload the backing data for this node. * Fires the XMLHttpRequest * @override */ goog.ds.XmlHttpDataSource.prototype.load = function() { if (this.uri_) { goog.ds.logger.info('Sending XML request for DataSource ' + this.getDataName() + ' to ' + this.uri_); this.loadState_ = goog.ds.LoadState.LOADING; goog.net.XhrIo.send(this.uri_, goog.bind(this.complete_, this)); } else { this.node_ = goog.ds.XmlDataSource.createChildlessDocument_(); this.loadState_ = goog.ds.LoadState.NOT_LOADED; } }; /** * Gets the state of the backing data for this node * @return {goog.ds.LoadState} The state. * @override */ goog.ds.XmlHttpDataSource.prototype.getLoadState = function() { return this.loadState_; }; /** * Handles the completion of an XhrIo request. Dispatches to success or load * based on the result. * @param {!goog.events.Event} e The XhrIo event object. * @private */ goog.ds.XmlHttpDataSource.prototype.complete_ = function(e) { var xhr = /** @type {goog.net.XhrIo} */ (e.target); if (xhr && xhr.isSuccess()) { this.success_(xhr); } else { this.failure_(); } }; /** * Success result. Checks whether valid XML was returned * and sets the XML and loadstate. * * @param {!goog.net.XhrIo} xhr The successful XhrIo object. * @private */ goog.ds.XmlHttpDataSource.prototype.success_ = function(xhr) { goog.ds.logger.info('Got data for DataSource ' + this.getDataName()); var xml = xhr.getResponseXml(); // Fix for case where IE returns valid XML as text but // doesn't parse by default if (xml && !xml.hasChildNodes() && goog.isObject(xhr.getResponseText())) { xml = goog.dom.xml.loadXml(xhr.getResponseText()); } // Failure result if (!xml || !xml.hasChildNodes()) { this.loadState_ = goog.ds.LoadState.FAILED; this.node_ = goog.ds.XmlDataSource.createChildlessDocument_(); } else { this.loadState_ = goog.ds.LoadState.LOADED; this.node_ = xml.documentElement; } if (this.getDataName()) { goog.ds.DataManager.getInstance().fireDataChange(this.getDataName()); } }; /** * Failure result * * @private */ goog.ds.XmlHttpDataSource.prototype.failure_ = function() { goog.ds.logger.info('Data retrieve failed for DataSource ' + this.getDataName()); this.loadState_ = goog.ds.LoadState.FAILED; this.node_ = goog.ds.XmlDataSource.createChildlessDocument_(); if (this.getDataName()) { goog.ds.DataManager.getInstance().fireDataChange(this.getDataName()); } };
JavaScript
// Copyright 2009 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview The decompressor for Base88 compressed character lists. * * The compression is by base 88 encoding the delta between two adjacent * characters in ths list. The deltas can be positive or negative. Also, there * would be character ranges. These three types of values * are given enum values 0, 1 and 2 respectively. Initial 3 bits are used for * encoding the type and total length of the encoded value. Length enums 0, 1 * and 2 represents lengths 1, 2 and 4. So (value * 8 + type * 3 + length enum) * is encoded in base 88 by following characters for numbers from 0 to 87: * 0123456789ABCDEFGHIJKLMNOPQRSTUVWXYZ (continued in next line) * abcdefghijklmnopqrstuvwxyz!#$%()*+,-.:;<=>?@[]^_`{|}~ * * Value uses 0 based counting. That is value for the range [a, b] is 0 and * that of [a, c] is 1. Simillarly, the delta of "ab" is 0. * * Following python script can be used to compress character lists taken * standard input: http://go/charlistcompressor.py * */ goog.provide('goog.i18n.CharListDecompressor'); goog.require('goog.array'); goog.require('goog.i18n.uChar'); /** * Class to decompress base88 compressed character list. * @constructor */ goog.i18n.CharListDecompressor = function() { this.buildCharMap_('0123456789ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqr' + 'stuvwxyz!#$%()*+,-.:;<=>?@[]^_`{|}~'); }; /** * 1-1 mapping from ascii characters used in encoding to an integer in the * range 0 to 87. * @type {Object} * @private */ goog.i18n.CharListDecompressor.prototype.charMap_ = null; /** * Builds the map from ascii characters used for the base88 scheme to number * each character represents. * @param {string} str The string of characters used in base88 scheme. * @private */ goog.i18n.CharListDecompressor.prototype.buildCharMap_ = function(str) { if (!this.charMap_) { this.charMap_ = {}; for (var i = 0; i < str.length; i++) { this.charMap_[str.charAt(i)] = i; } } }; /** * Gets the number encoded in base88 scheme by a substring of given length * and placed at the a given position of the string. * @param {string} str String containing sequence of characters encoding a * number in base 88 scheme. * @param {number} start Starting position of substring encoding the number. * @param {number} leng Length of the substring encoding the number. * @return {number} The encoded number. * @private */ goog.i18n.CharListDecompressor.prototype.getCodeAt_ = function(str, start, leng) { var result = 0; for (var i = 0; i < leng; i++) { var c = this.charMap_[str.charAt(start + i)]; result += c * Math.pow(88, i); } return result; }; /** * Add character(s) specified by the value and type to given list and return * the next character in the sequence. * @param {Array.<string>} list The list of characters to which the specified * characters are appended. * @param {number} lastcode The last codepoint that was added to the list. * @param {number} value The value component that representing the delta or * range. * @param {number} type The type component that representing whether the value * is a positive or negative delta or range. * @return {number} Last codepoint that is added to the list. * @private */ goog.i18n.CharListDecompressor.prototype.addChars_ = function(list, lastcode, value, type) { if (type == 0) { lastcode += value + 1; goog.array.extend(list, goog.i18n.uChar.fromCharCode(lastcode)); } else if (type == 1) { lastcode -= value + 1; goog.array.extend(list, goog.i18n.uChar.fromCharCode(lastcode)); } else if (type == 2) { for (var i = 0; i <= value; i++) { lastcode++; goog.array.extend(list, goog.i18n.uChar.fromCharCode(lastcode)); } } return lastcode; }; /** * Gets the list of characters specified in the given string by base 88 scheme. * @param {string} str The string encoding character list. * @return {Array.<string>} The list of characters specified by the given string * in base 88 scheme. */ goog.i18n.CharListDecompressor.prototype.toCharList = function(str) { var metasize = 8; var result = []; var lastcode = 0; var i = 0; while (i < str.length) { var c = this.charMap_[str.charAt(i)]; var meta = c % metasize; var type = Math.floor(meta / 3); var leng = (meta % 3) + 1; if (leng == 3) { leng++; } var code = this.getCodeAt_(str, i, leng); var value = Math.floor(code / metasize); lastcode = this.addChars_(result, lastcode, value, type); i += leng; } return result; };
JavaScript
// Copyright 2006 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Date/Time parsing library with locale support. */ /** * Namespace for locale date/time parsing functions */ goog.provide('goog.i18n.DateTimeParse'); goog.require('goog.date.DateLike'); goog.require('goog.i18n.DateTimeFormat'); goog.require('goog.i18n.DateTimeSymbols'); /** * DateTimeParse is for parsing date in a locale-sensitive manner. It allows * user to use any customized patterns to parse date-time string under certain * locale. Things varies across locales like month name, weekname, field * order, etc. * * This module is the counter-part of DateTimeFormat. They use the same * date/time pattern specification, which is borrowed from ICU/JDK. * * This implementation could parse partial date/time. * * Time Format Syntax: To specify the time format use a time pattern string. * In this pattern, following letters are reserved as pattern letters, which * are defined as the following: * * <pre> * Symbol Meaning Presentation Example * ------ ------- ------------ ------- * G era designator (Text) AD * y# year (Number) 1996 * M month in year (Text & Number) July & 07 * d day in month (Number) 10 * h hour in am/pm (1~12) (Number) 12 * H hour in day (0~23) (Number) 0 * m minute in hour (Number) 30 * s second in minute (Number) 55 * S fractional second (Number) 978 * E day of week (Text) Tuesday * D day in year (Number) 189 * a am/pm marker (Text) PM * k hour in day (1~24) (Number) 24 * K hour in am/pm (0~11) (Number) 0 * z time zone (Text) Pacific Standard Time * Z time zone (RFC 822) (Number) -0800 * v time zone (generic) (Text) Pacific Time * ' escape for text (Delimiter) 'Date=' * '' single quote (Literal) 'o''clock' * </pre> * * The count of pattern letters determine the format. <p> * (Text): 4 or more pattern letters--use full form, * less than 4--use short or abbreviated form if one exists. * In parsing, we will always try long format, then short. <p> * (Number): the minimum number of digits. <p> * (Text & Number): 3 or over, use text, otherwise use number. <p> * Any characters that not in the pattern will be treated as quoted text. For * instance, characters like ':', '.', ' ', '#' and '@' will appear in the * resulting time text even they are not embraced within single quotes. In our * current pattern usage, we didn't use up all letters. But those unused * letters are strongly discouraged to be used as quoted text without quote. * That's because we may use other letter for pattern in future. <p> * * Examples Using the US Locale: * * Format Pattern Result * -------------- ------- * "yyyy.MM.dd G 'at' HH:mm:ss vvvv" ->> 1996.07.10 AD at 15:08:56 Pacific Time * "EEE, MMM d, ''yy" ->> Wed, July 10, '96 * "h:mm a" ->> 12:08 PM * "hh 'o''clock' a, zzzz" ->> 12 o'clock PM, Pacific Daylight Time * "K:mm a, vvv" ->> 0:00 PM, PT * "yyyyy.MMMMM.dd GGG hh:mm aaa" ->> 01996.July.10 AD 12:08 PM * * <p> When parsing a date string using the abbreviated year pattern ("yy"), * DateTimeParse must interpret the abbreviated year relative to some * century. It does this by adjusting dates to be within 80 years before and 20 * years after the time the parse function is called. For example, using a * pattern of "MM/dd/yy" and a DateTimeParse instance created on Jan 1, 1997, * the string "01/11/12" would be interpreted as Jan 11, 2012 while the string * "05/04/64" would be interpreted as May 4, 1964. During parsing, only * strings consisting of exactly two digits, as defined by {@link * java.lang.Character#isDigit(char)}, will be parsed into the default * century. Any other numeric string, such as a one digit string, a three or * more digit string will be interpreted as its face value. * * <p> If the year pattern does not have exactly two 'y' characters, the year is * interpreted literally, regardless of the number of digits. So using the * pattern "MM/dd/yyyy", "01/11/12" parses to Jan 11, 12 A.D. * * <p> When numeric fields abut one another directly, with no intervening * delimiter characters, they constitute a run of abutting numeric fields. Such * runs are parsed specially. For example, the format "HHmmss" parses the input * text "123456" to 12:34:56, parses the input text "12345" to 1:23:45, and * fails to parse "1234". In other words, the leftmost field of the run is * flexible, while the others keep a fixed width. If the parse fails anywhere in * the run, then the leftmost field is shortened by one character, and the * entire run is parsed again. This is repeated until either the parse succeeds * or the leftmost field is one character in length. If the parse still fails at * that point, the parse of the run fails. * * <p> Now timezone parsing only support GMT:hhmm, GMT:+hhmm, GMT:-hhmm */ /** * Construct a DateTimeParse based on current locale. * @param {string|number} pattern pattern specification or pattern type. * @constructor */ goog.i18n.DateTimeParse = function(pattern) { this.patternParts_ = []; if (typeof pattern == 'number') { this.applyStandardPattern_(pattern); } else { this.applyPattern_(pattern); } }; /** * Number of years prior to now that the century used to * disambiguate two digit years will begin * * @type {number} */ goog.i18n.DateTimeParse.ambiguousYearCenturyStart = 80; /** * Apply a pattern to this Parser. The pattern string will be parsed and saved * in "compiled" form. * Note: this method is somewhat similar to the pattern parsing methold in * datetimeformat. If you see something wrong here, you might want * to check the other. * @param {string} pattern It describes the format of date string that need to * be parsed. * @private */ goog.i18n.DateTimeParse.prototype.applyPattern_ = function(pattern) { var inQuote = false; var buf = ''; for (var i = 0; i < pattern.length; i++) { var ch = pattern.charAt(i); // handle space, add literal part (if exist), and add space part if (ch == ' ') { if (buf.length > 0) { this.patternParts_.push({text: buf, count: 0, abutStart: false}); buf = ''; } this.patternParts_.push({text: ' ', count: 0, abutStart: false}); while (i < pattern.length - 1 && pattern.charAt(i + 1) == ' ') { i++; } } else if (inQuote) { // inside quote, except '', just copy or exit if (ch == '\'') { if (i + 1 < pattern.length && pattern.charAt(i + 1) == '\'') { // quote appeared twice continuously, interpret as one quote. buf += '\''; i++; } else { // exit quote inQuote = false; } } else { // literal buf += ch; } } else if (goog.i18n.DateTimeParse.PATTERN_CHARS_.indexOf(ch) >= 0) { // outside quote, it is a pattern char if (buf.length > 0) { this.patternParts_.push({text: buf, count: 0, abutStart: false}); buf = ''; } var count = this.getNextCharCount_(pattern, i); this.patternParts_.push({text: ch, count: count, abutStart: false}); i += count - 1; } else if (ch == '\'') { // Two consecutive quotes is a quote literal, inside or outside of quotes. if (i + 1 < pattern.length && pattern.charAt(i + 1) == '\'') { buf += '\''; i++; } else { inQuote = true; } } else { buf += ch; } } if (buf.length > 0) { this.patternParts_.push({text: buf, count: 0, abutStart: false}); } this.markAbutStart_(); }; /** * Apply a predefined pattern to this Parser. * @param {number} formatType A constant used to identified the predefined * pattern string stored in locale repository. * @private */ goog.i18n.DateTimeParse.prototype.applyStandardPattern_ = function(formatType) { var pattern; // formatType constants are in consecutive numbers. So it can be used to // index array in following way. // if type is out of range, default to medium date/time format. if (formatType > goog.i18n.DateTimeFormat.Format.SHORT_DATETIME) { formatType = goog.i18n.DateTimeFormat.Format.MEDIUM_DATETIME; } if (formatType < 4) { pattern = goog.i18n.DateTimeSymbols.DATEFORMATS[formatType]; } else if (formatType < 8) { pattern = goog.i18n.DateTimeSymbols.TIMEFORMATS[formatType - 4]; } else { pattern = goog.i18n.DateTimeSymbols.DATEFORMATS[formatType - 8] + ' ' + goog.i18n.DateTimeSymbols.TIMEFORMATS[formatType - 8]; } this.applyPattern_(pattern); }; /** * Parse the given string and fill info into date object. This version does * not validate the input. * @param {string} text The string being parsed. * @param {goog.date.DateLike} date The Date object to hold the parsed date. * @param {number=} opt_start The position from where parse should begin. * @return {number} How many characters parser advanced. */ goog.i18n.DateTimeParse.prototype.parse = function(text, date, opt_start) { var start = opt_start || 0; return this.internalParse_(text, date, start, false/*validation*/); }; /** * Parse the given string and fill info into date object. This version will * validate the input and make sure it is a validate date/time. * @param {string} text The string being parsed. * @param {goog.date.DateLike} date The Date object to hold the parsed date. * @param {number=} opt_start The position from where parse should begin. * @return {number} How many characters parser advanced. */ goog.i18n.DateTimeParse.prototype.strictParse = function(text, date, opt_start) { var start = opt_start || 0; return this.internalParse_(text, date, start, true/*validation*/); }; /** * Parse the given string and fill info into date object. * @param {string} text The string being parsed. * @param {goog.date.DateLike} date The Date object to hold the parsed date. * @param {number} start The position from where parse should begin. * @param {boolean} validation If true, input string need to be a valid * date/time string. * @return {number} How many characters parser advanced. * @private */ goog.i18n.DateTimeParse.prototype.internalParse_ = function(text, date, start, validation) { var cal = new goog.i18n.DateTimeParse.MyDate_(); var parsePos = [start]; // For parsing abutting numeric fields. 'abutPat' is the // offset into 'pattern' of the first of 2 or more abutting // numeric fields. 'abutStart' is the offset into 'text' // where parsing the fields begins. 'abutPass' starts off as 0 // and increments each time we try to parse the fields. var abutPat = -1; // If >=0, we are in a run of abutting numeric fields var abutStart = 0; var abutPass = 0; for (var i = 0; i < this.patternParts_.length; i++) { if (this.patternParts_[i].count > 0) { if (abutPat < 0 && this.patternParts_[i].abutStart) { abutPat = i; abutStart = start; abutPass = 0; } // Handle fields within a run of abutting numeric fields. Take // the pattern "HHmmss" as an example. We will try to parse // 2/2/2 characters of the input text, then if that fails, // 1/2/2. We only adjust the width of the leftmost field; the // others remain fixed. This allows "123456" => 12:34:56, but // "12345" => 1:23:45. Likewise, for the pattern "yyyyMMdd" we // try 4/2/2, 3/2/2, 2/2/2, and finally 1/2/2. if (abutPat >= 0) { // If we are at the start of a run of abutting fields, then // shorten this field in each pass. If we can't shorten // this field any more, then the parse of this set of // abutting numeric fields has failed. var count = this.patternParts_[i].count; if (i == abutPat) { count -= abutPass; abutPass++; if (count == 0) { // tried all possible width, fail now return 0; } } if (!this.subParse_(text, parsePos, this.patternParts_[i], count, cal)) { // If the parse fails anywhere in the run, back up to the // start of the run and retry. i = abutPat - 1; parsePos[0] = abutStart; continue; } } // Handle non-numeric fields and non-abutting numeric fields. else { abutPat = -1; if (!this.subParse_(text, parsePos, this.patternParts_[i], 0, cal)) { return 0; } } } else { // Handle literal pattern characters. These are any // quoted characters and non-alphabetic unquoted // characters. abutPat = -1; // A run of white space in the pattern matches a run // of white space in the input text. if (this.patternParts_[i].text.charAt(0) == ' ') { // Advance over run in input text var s = parsePos[0]; this.skipSpace_(text, parsePos); // Must see at least one white space char in input if (parsePos[0] > s) { continue; } } else if (text.indexOf(this.patternParts_[i].text, parsePos[0]) == parsePos[0]) { parsePos[0] += this.patternParts_[i].text.length; continue; } // We fall through to this point if the match fails return 0; } } // return progress return cal.calcDate_(date, validation) ? parsePos[0] - start : 0; }; /** * Calculate character repeat count in pattern. * * @param {string} pattern It describes the format of date string that need to * be parsed. * @param {number} start The position of pattern character. * * @return {number} Repeat count. * @private */ goog.i18n.DateTimeParse.prototype.getNextCharCount_ = function(pattern, start) { var ch = pattern.charAt(start); var next = start + 1; while (next < pattern.length && pattern.charAt(next) == ch) { next++; } return next - start; }; /** * All acceptable pattern characters. * @private */ goog.i18n.DateTimeParse.PATTERN_CHARS_ = 'GyMdkHmsSEDahKzZvQ'; /** * Pattern characters that specify numerical field. * @private */ goog.i18n.DateTimeParse.NUMERIC_FORMAT_CHARS_ = 'MydhHmsSDkK'; /** * Check if the pattern part is a numeric field. * * @param {Object} part pattern part to be examined. * * @return {boolean} true if the pattern part is numberic field. * @private */ goog.i18n.DateTimeParse.prototype.isNumericField_ = function(part) { if (part.count <= 0) { return false; } var i = goog.i18n.DateTimeParse.NUMERIC_FORMAT_CHARS_.indexOf( part.text.charAt(0)); return i > 0 || i == 0 && part.count < 3; }; /** * Identify the start of an abutting numeric fields' run. Taking pattern * "HHmmss" as an example. It will try to parse 2/2/2 characters of the input * text, then if that fails, 1/2/2. We only adjust the width of the leftmost * field; the others remain fixed. This allows "123456" => 12:34:56, but * "12345" => 1:23:45. Likewise, for the pattern "yyyyMMdd" we try 4/2/2, * 3/2/2, 2/2/2, and finally 1/2/2. The first field of connected numeric * fields will be marked as abutStart, its width can be reduced to accomodate * others. * * @private */ goog.i18n.DateTimeParse.prototype.markAbutStart_ = function() { // abut parts are continuous numeric parts. abutStart is the switch // point from non-abut to abut var abut = false; for (var i = 0; i < this.patternParts_.length; i++) { if (this.isNumericField_(this.patternParts_[i])) { // if next part is not following abut sequence, and isNumericField_ if (!abut && i + 1 < this.patternParts_.length && this.isNumericField_(this.patternParts_[i + 1])) { abut = true; this.patternParts_[i].abutStart = true; } } else { abut = false; } } }; /** * Skip space in the string. * * @param {string} text input string. * @param {Array.<number>} pos where skip start, and return back where the skip * stops. * @private */ goog.i18n.DateTimeParse.prototype.skipSpace_ = function(text, pos) { var m = text.substring(pos[0]).match(/^\s+/); if (m) { pos[0] += m[0].length; } }; /** * Protected method that converts one field of the input string into a * numeric field value. * * @param {string} text the time text to be parsed. * @param {Array.<number>} pos Parse position. * @param {Object} part the pattern part for this field. * @param {number} digitCount when > 0, numeric parsing must obey the count. * @param {goog.i18n.DateTimeParse.MyDate_} cal object that holds parsed value. * * @return {boolean} True if it parses successfully. * @private */ goog.i18n.DateTimeParse.prototype.subParse_ = function(text, pos, part, digitCount, cal) { this.skipSpace_(text, pos); var start = pos[0]; var ch = part.text.charAt(0); // parse integer value if it is a numeric field var value = -1; if (this.isNumericField_(part)) { if (digitCount > 0) { if ((start + digitCount) > text.length) { return false; } value = this.parseInt_( text.substring(0, start + digitCount), pos); } else { value = this.parseInt_(text, pos); } } switch (ch) { case 'G': // ERA cal.era = this.matchString_(text, pos, goog.i18n.DateTimeSymbols.ERAS); return true; case 'M': // MONTH return this.subParseMonth_(text, pos, cal, value); case 'E': return this.subParseDayOfWeek_(text, pos, cal); case 'a': // AM_PM cal.ampm = this.matchString_(text, pos, goog.i18n.DateTimeSymbols.AMPMS); return true; case 'y': // YEAR return this.subParseYear_(text, pos, start, value, part, cal); case 'Q': // QUARTER return this.subParseQuarter_(text, pos, cal, value); case 'd': // DATE cal.day = value; return true; case 'S': // FRACTIONAL_SECOND return this.subParseFractionalSeconds_(value, pos, start, cal); case 'h': // HOUR (1..12) if (value == 12) { value = 0; } case 'K': // HOUR (0..11) case 'H': // HOUR_OF_DAY (0..23) case 'k': // HOUR_OF_DAY (1..24) cal.hours = value; return true; case 'm': // MINUTE cal.minutes = value; return true; case 's': // SECOND cal.seconds = value; return true; case 'z': // ZONE_OFFSET case 'Z': // TIMEZONE_RFC case 'v': // TIMEZONE_GENERIC return this.subparseTimeZoneInGMT_(text, pos, cal); default: return false; } }; /** * Parse year field. Year field is special because * 1) two digit year need to be resolved. * 2) we allow year to take a sign. * 3) year field participate in abut processing. * * @param {string} text the time text to be parsed. * @param {Array.<number>} pos Parse position. * @param {number} start where this field start. * @param {number} value integer value of year. * @param {Object} part the pattern part for this field. * @param {goog.i18n.DateTimeParse.MyDate_} cal object to hold parsed value. * * @return {boolean} True if successful. * @private */ goog.i18n.DateTimeParse.prototype.subParseYear_ = function(text, pos, start, value, part, cal) { var ch; if (value < 0) { //possible sign ch = text.charAt(pos[0]); if (ch != '+' && ch != '-') { return false; } pos[0]++; value = this.parseInt_(text, pos); if (value < 0) { return false; } if (ch == '-') { value = -value; } } // only if 2 digit was actually parsed, and pattern say it has 2 digit. if (!ch && pos[0] - start == 2 && part.count == 2) { cal.setTwoDigitYear_(value); } else { cal.year = value; } return true; }; /** * Parse Month field. * * @param {string} text the time text to be parsed. * @param {Array.<number>} pos Parse position. * @param {goog.i18n.DateTimeParse.MyDate_} cal object to hold parsed value. * @param {number} value numeric value if this field is expressed using * numeric pattern, or -1 if not. * * @return {boolean} True if parsing successful. * @private */ goog.i18n.DateTimeParse.prototype.subParseMonth_ = function(text, pos, cal, value) { // when month is symbols, i.e., MMM or MMMM, value will be -1 if (value < 0) { // Want to be able to parse both short and long forms. // Try count == 4 first: value = this.matchString_(text, pos, goog.i18n.DateTimeSymbols.MONTHS); if (value < 0) { // count == 4 failed, now try count == 3 value = this.matchString_(text, pos, goog.i18n.DateTimeSymbols.SHORTMONTHS); } if (value < 0) { return false; } cal.month = value; return true; } else { cal.month = value - 1; return true; } }; /** * Parse Quarter field. * * @param {string} text the time text to be parsed. * @param {Array.<number>} pos Parse position. * @param {goog.i18n.DateTimeParse.MyDate_} cal object to hold parsed value. * @param {number} value numeric value if this field is expressed using * numeric pattern, or -1 if not. * * @return {boolean} True if parsing successful. * @private */ goog.i18n.DateTimeParse.prototype.subParseQuarter_ = function(text, pos, cal, value) { // value should be -1, since this is a non-numeric field. if (value < 0) { // Want to be able to parse both short and long forms. // Try count == 4 first: value = this.matchString_(text, pos, goog.i18n.DateTimeSymbols.QUARTERS); if (value < 0) { // count == 4 failed, now try count == 3 value = this.matchString_(text, pos, goog.i18n.DateTimeSymbols.SHORTQUARTERS); } if (value < 0) { return false; } cal.month = value * 3; // First month of quarter. cal.day = 1; return true; } return false; }; /** * Parse Day of week field. * @param {string} text the time text to be parsed. * @param {Array.<number>} pos Parse position. * @param {goog.i18n.DateTimeParse.MyDate_} cal object to hold parsed value. * * @return {boolean} True if successful. * @private */ goog.i18n.DateTimeParse.prototype.subParseDayOfWeek_ = function(text, pos, cal) { // Handle both short and long forms. // Try count == 4 (DDDD) first: var value = this.matchString_(text, pos, goog.i18n.DateTimeSymbols.WEEKDAYS); if (value < 0) { value = this.matchString_(text, pos, goog.i18n.DateTimeSymbols.SHORTWEEKDAYS); } if (value < 0) { return false; } cal.dayOfWeek = value; return true; }; /** * Parse fractional seconds field. * * @param {number} value parsed numberic value. * @param {Array.<number>} pos current parse position. * @param {number} start where this field start. * @param {goog.i18n.DateTimeParse.MyDate_} cal object to hold parsed value. * * @return {boolean} True if successful. * @private */ goog.i18n.DateTimeParse.prototype.subParseFractionalSeconds_ = function(value, pos, start, cal) { // Fractional seconds left-justify var len = pos[0] - start; cal.milliseconds = len < 3 ? value * Math.pow(10, 3 - len) : Math.round(value / Math.pow(10, len - 3)); return true; }; /** * Parse GMT type timezone. * * @param {string} text the time text to be parsed. * @param {Array.<number>} pos Parse position. * @param {goog.i18n.DateTimeParse.MyDate_} cal object to hold parsed value. * * @return {boolean} True if successful. * @private */ goog.i18n.DateTimeParse.prototype.subparseTimeZoneInGMT_ = function(text, pos, cal) { // First try to parse generic forms such as GMT-07:00. Do this first // in case localized DateFormatZoneData contains the string "GMT" // for a zone; in that case, we don't want to match the first three // characters of GMT+/-HH:MM etc. // For time zones that have no known names, look for strings // of the form: // GMT[+-]hours:minutes or // GMT[+-]hhmm or // GMT. if (text.indexOf('GMT', pos[0]) == pos[0]) { pos[0] += 3; // 3 is the length of GMT return this.parseTimeZoneOffset_(text, pos, cal); } // TODO(user): check for named time zones by looking through the locale // data from the DateFormatZoneData strings. should parse both short and long // forms. // subParseZoneString(text, start, cal); // As a last resort, look for numeric timezones of the form // [+-]hhmm as specified by RFC 822. This code is actually // a little more permissive than RFC 822. It will try to do // its best with numbers that aren't strictly 4 digits long. return this.parseTimeZoneOffset_(text, pos, cal); }; /** * Parse time zone offset. * * @param {string} text the time text to be parsed. * @param {Array.<number>} pos Parse position. * @param {goog.i18n.DateTimeParse.MyDate_} cal object to hold parsed value. * * @return {boolean} True if successful. * @private */ goog.i18n.DateTimeParse.prototype.parseTimeZoneOffset_ = function(text, pos, cal) { if (pos[0] >= text.length) { cal.tzOffset = 0; return true; } var sign = 1; switch (text.charAt(pos[0])) { case '-': sign = -1; // fall through case '+': pos[0]++; } // Look for hours:minutes or hhmm. var st = pos[0]; var value = this.parseInt_(text, pos); if (value == 0 && pos[0] == st) { return false; } var offset; if (pos[0] < text.length && text.charAt(pos[0]) == ':') { // This is the hours:minutes case offset = value * 60; pos[0]++; st = pos[0]; value = this.parseInt_(text, pos); if (value == 0 && pos[0] == st) { return false; } offset += value; } else { // This is the hhmm case. offset = value; // Assume "-23".."+23" refers to hours. if (offset < 24 && (pos[0] - st) <= 2) { offset *= 60; } else { // todo: this looks questionable, should have more error checking offset = offset % 100 + offset / 100 * 60; } } offset *= sign; cal.tzOffset = -offset; return true; }; /** * Parse a integer string and return integer value. * * @param {string} text string being parsed. * @param {Array.<number>} pos parse position. * * @return {number} Converted integer value. * @private */ goog.i18n.DateTimeParse.prototype.parseInt_ = function(text, pos) { // Delocalizes the string containing native digits specified by the locale, // replaces the natvie digits with ASCII digits. Leaves other characters. // This is the reverse operation of localizeNumbers_ in datetimeformat.js. if (goog.i18n.DateTimeSymbols.ZERODIGIT) { var parts = []; for (var i = pos[0]; i < text.length; i++) { var c = text.charCodeAt(i) - goog.i18n.DateTimeSymbols.ZERODIGIT; parts.push((0 <= c && c <= 9) ? String.fromCharCode(c + 0x30) : text.charAt(i)); } text = parts.join(''); } else { text = text.substring(pos[0]); } var m = text.match(/^\d+/); if (!m) { return -1; } pos[0] += m[0].length; return parseInt(m[0], 10); }; /** * Attempt to match the text at a given position against an array of strings. * Since multiple strings in the array may match (for example, if the array * contains "a", "ab", and "abc", all will match the input string "abcd") the * longest match is returned. * * @param {string} text The string to match to. * @param {Array.<number>} pos parsing position. * @param {Array.<string>} data The string array of matching patterns. * * @return {number} the new start position if matching succeeded; a negative * number indicating matching failure. * @private */ goog.i18n.DateTimeParse.prototype.matchString_ = function(text, pos, data) { // There may be multiple strings in the data[] array which begin with // the same prefix (e.g., Cerven and Cervenec (June and July) in Czech). // We keep track of the longest match, and return that. Note that this // unfortunately requires us to test all array elements. var bestMatchLength = 0; var bestMatch = -1; var lower_text = text.substring(pos[0]).toLowerCase(); for (var i = 0; i < data.length; i++) { var len = data[i].length; // Always compare if we have no match yet; otherwise only compare // against potentially better matches (longer strings). if (len > bestMatchLength && lower_text.indexOf(data[i].toLowerCase()) == 0) { bestMatch = i; bestMatchLength = len; } } if (bestMatch >= 0) { pos[0] += bestMatchLength; } return bestMatch; }; /** * This class hold the intermediate parsing result. After all fields are * consumed, final result will be resolved from this class. * @constructor * @private */ goog.i18n.DateTimeParse.MyDate_ = function() {}; /** * The date's era. * @type {?number} */ goog.i18n.DateTimeParse.MyDate_.prototype.era; /** * The date's year. * @type {?number} */ goog.i18n.DateTimeParse.MyDate_.prototype.year; /** * The date's month. * @type {?number} */ goog.i18n.DateTimeParse.MyDate_.prototype.month; /** * The date's day of month. * @type {?number} */ goog.i18n.DateTimeParse.MyDate_.prototype.day; /** * The date's hour. * @type {?number} */ goog.i18n.DateTimeParse.MyDate_.prototype.hours; /** * The date's before/afternoon denominator. * @type {?number} */ goog.i18n.DateTimeParse.MyDate_.prototype.ampm; /** * The date's minutes. * @type {?number} */ goog.i18n.DateTimeParse.MyDate_.prototype.minutes; /** * The date's seconds. * @type {?number} */ goog.i18n.DateTimeParse.MyDate_.prototype.seconds; /** * The date's milliseconds. * @type {?number} */ goog.i18n.DateTimeParse.MyDate_.prototype.milliseconds; /** * The date's timezone offset. * @type {?number} */ goog.i18n.DateTimeParse.MyDate_.prototype.tzOffset; /** * The date's day of week. Sunday is 0, Saturday is 6. * @type {?number} */ goog.i18n.DateTimeParse.MyDate_.prototype.dayOfWeek; /** * 2 digit year special handling. Assuming for example that the * defaultCenturyStart is 6/18/1903. This means that two-digit years will be * forced into the range 6/18/1903 to 6/17/2003. As a result, years 00, 01, and * 02 correspond to 2000, 2001, and 2002. Years 04, 05, etc. correspond * to 1904, 1905, etc. If the year is 03, then it is 2003 if the * other fields specify a date before 6/18, or 1903 if they specify a * date afterwards. As a result, 03 is an ambiguous year. All other * two-digit years are unambiguous. * * @param {number} year 2 digit year value before adjustment. * @return {number} disambiguated year. * @private */ goog.i18n.DateTimeParse.MyDate_.prototype.setTwoDigitYear_ = function(year) { var now = new Date(); var defaultCenturyStartYear = now.getFullYear() - goog.i18n.DateTimeParse.ambiguousYearCenturyStart; var ambiguousTwoDigitYear = defaultCenturyStartYear % 100; this.ambiguousYear = (year == ambiguousTwoDigitYear); year += Math.floor(defaultCenturyStartYear / 100) * 100 + (year < ambiguousTwoDigitYear ? 100 : 0); return this.year = year; }; /** * Based on the fields set, fill a Date object. For those fields that not * set, use the passed in date object's value. * * @param {goog.date.DateLike} date Date object to be filled. * @param {boolean} validation If true, input string will be checked to make * sure it is valid. * * @return {boolean} false if fields specify a invalid date. * @private */ goog.i18n.DateTimeParse.MyDate_.prototype.calcDate_ = function(date, validation) { // year 0 is 1 BC, and so on. if (this.era != undefined && this.year != undefined && this.era == 0 && this.year > 0) { this.year = -(this.year - 1); } if (this.year != undefined) { date.setFullYear(this.year); } // The setMonth and setDate logic is a little tricky. We need to make sure // day of month is smaller enough so that it won't cause a month switch when // setting month. For example, if data in date is Nov 30, when month is set // to Feb, because there is no Feb 30, JS adjust it to Mar 2. So Feb 12 will // become Mar 12. var orgDate = date.getDate(); // Every month has a 1st day, this can actually be anything less than 29. date.setDate(1); if (this.month != undefined) { date.setMonth(this.month); } if (this.day != undefined) { date.setDate(this.day); } else { date.setDate(orgDate); } if (goog.isFunction(date.setHours)) { if (this.hours == undefined) { this.hours = date.getHours(); } // adjust ampm if (this.ampm != undefined && this.ampm > 0 && this.hours < 12) { this.hours += 12; } date.setHours(this.hours); } if (goog.isFunction(date.setMinutes) && this.minutes != undefined) { date.setMinutes(this.minutes); } if (goog.isFunction(date.setSeconds) && this.seconds != undefined) { date.setSeconds(this.seconds); } if (goog.isFunction(date.setMilliseconds) && this.milliseconds != undefined) { date.setMilliseconds(this.milliseconds); } // If validation is needed, verify that the uncalculated date fields // match the calculated date fields. We do this before we set the // timezone offset, which will skew all of the dates. // // Don't need to check the day of week as it is guaranteed to be // correct or return false below. if (validation && (this.year != undefined && this.year != date.getFullYear() || this.month != undefined && this.month != date.getMonth() || this.day != undefined && this.day != date.getDate() || this.hours >= 24 || this.minutes >= 60 || this.seconds >= 60 || this.milliseconds >= 1000)) { return false; } // adjust time zone if (this.tzOffset != undefined) { var offset = date.getTimezoneOffset(); date.setTime(date.getTime() + (this.tzOffset - offset) * 60 * 1000); } // resolve ambiguous year if needed if (this.ambiguousYear) { // the two-digit year == the default start year var defaultCenturyStart = new Date(); defaultCenturyStart.setFullYear( defaultCenturyStart.getFullYear() - goog.i18n.DateTimeParse.ambiguousYearCenturyStart); if (date.getTime() < defaultCenturyStart.getTime()) { date.setFullYear(defaultCenturyStart.getFullYear() + 100); } } // dayOfWeek, validation only if (this.dayOfWeek != undefined) { if (this.day == undefined) { // adjust to the nearest day of the week var adjustment = (7 + this.dayOfWeek - date.getDay()) % 7; if (adjustment > 3) { adjustment -= 7; } var orgMonth = date.getMonth(); date.setDate(date.getDate() + adjustment); // don't let it switch month if (date.getMonth() != orgMonth) { date.setDate(date.getDate() + (adjustment > 0 ? -7 : 7)); } } else if (this.dayOfWeek != date.getDay()) { return false; } } return true; };
JavaScript
// Copyright 2011 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Date/time formatting symbols for all locales. * * This file is autogenerated by scripts * i18n/tools/generate_datetime_constants.py --for_closure * * This file contains symbols for locales that are not covered by * datetimesymbols.js. * Before checkin, this file could have been manually edited. This is * to incorporate changes before we could correct CLDR. All manual * modification must be documented in this section, and should be * removed after those changes lands to CLDR. */ goog.provide('goog.i18n.DateTimeSymbolsExt'); goog.provide('goog.i18n.DateTimeSymbols_aa'); goog.provide('goog.i18n.DateTimeSymbols_aa_DJ'); goog.provide('goog.i18n.DateTimeSymbols_aa_ER'); goog.provide('goog.i18n.DateTimeSymbols_aa_ET'); goog.provide('goog.i18n.DateTimeSymbols_af_NA'); goog.provide('goog.i18n.DateTimeSymbols_af_ZA'); goog.provide('goog.i18n.DateTimeSymbols_agq'); goog.provide('goog.i18n.DateTimeSymbols_agq_CM'); goog.provide('goog.i18n.DateTimeSymbols_ak'); goog.provide('goog.i18n.DateTimeSymbols_ak_GH'); goog.provide('goog.i18n.DateTimeSymbols_am_ET'); goog.provide('goog.i18n.DateTimeSymbols_ar_AE'); goog.provide('goog.i18n.DateTimeSymbols_ar_BH'); goog.provide('goog.i18n.DateTimeSymbols_ar_DZ'); goog.provide('goog.i18n.DateTimeSymbols_ar_EG'); goog.provide('goog.i18n.DateTimeSymbols_ar_IQ'); goog.provide('goog.i18n.DateTimeSymbols_ar_JO'); goog.provide('goog.i18n.DateTimeSymbols_ar_KW'); goog.provide('goog.i18n.DateTimeSymbols_ar_LB'); goog.provide('goog.i18n.DateTimeSymbols_ar_LY'); goog.provide('goog.i18n.DateTimeSymbols_ar_MA'); goog.provide('goog.i18n.DateTimeSymbols_ar_OM'); goog.provide('goog.i18n.DateTimeSymbols_ar_QA'); goog.provide('goog.i18n.DateTimeSymbols_ar_SA'); goog.provide('goog.i18n.DateTimeSymbols_ar_SD'); goog.provide('goog.i18n.DateTimeSymbols_ar_SY'); goog.provide('goog.i18n.DateTimeSymbols_ar_TN'); goog.provide('goog.i18n.DateTimeSymbols_ar_YE'); goog.provide('goog.i18n.DateTimeSymbols_as'); goog.provide('goog.i18n.DateTimeSymbols_as_IN'); goog.provide('goog.i18n.DateTimeSymbols_asa'); goog.provide('goog.i18n.DateTimeSymbols_asa_TZ'); goog.provide('goog.i18n.DateTimeSymbols_az'); goog.provide('goog.i18n.DateTimeSymbols_az_Cyrl'); goog.provide('goog.i18n.DateTimeSymbols_az_Cyrl_AZ'); goog.provide('goog.i18n.DateTimeSymbols_az_Latn'); goog.provide('goog.i18n.DateTimeSymbols_az_Latn_AZ'); goog.provide('goog.i18n.DateTimeSymbols_bas'); goog.provide('goog.i18n.DateTimeSymbols_bas_CM'); goog.provide('goog.i18n.DateTimeSymbols_be'); goog.provide('goog.i18n.DateTimeSymbols_be_BY'); goog.provide('goog.i18n.DateTimeSymbols_bem'); goog.provide('goog.i18n.DateTimeSymbols_bem_ZM'); goog.provide('goog.i18n.DateTimeSymbols_bez'); goog.provide('goog.i18n.DateTimeSymbols_bez_TZ'); goog.provide('goog.i18n.DateTimeSymbols_bg_BG'); goog.provide('goog.i18n.DateTimeSymbols_bm'); goog.provide('goog.i18n.DateTimeSymbols_bm_ML'); goog.provide('goog.i18n.DateTimeSymbols_bn_BD'); goog.provide('goog.i18n.DateTimeSymbols_bn_IN'); goog.provide('goog.i18n.DateTimeSymbols_bo'); goog.provide('goog.i18n.DateTimeSymbols_bo_CN'); goog.provide('goog.i18n.DateTimeSymbols_bo_IN'); goog.provide('goog.i18n.DateTimeSymbols_br'); goog.provide('goog.i18n.DateTimeSymbols_br_FR'); goog.provide('goog.i18n.DateTimeSymbols_brx'); goog.provide('goog.i18n.DateTimeSymbols_brx_IN'); goog.provide('goog.i18n.DateTimeSymbols_bs'); goog.provide('goog.i18n.DateTimeSymbols_bs_BA'); goog.provide('goog.i18n.DateTimeSymbols_byn'); goog.provide('goog.i18n.DateTimeSymbols_byn_ER'); goog.provide('goog.i18n.DateTimeSymbols_ca_ES'); goog.provide('goog.i18n.DateTimeSymbols_cgg'); goog.provide('goog.i18n.DateTimeSymbols_cgg_UG'); goog.provide('goog.i18n.DateTimeSymbols_chr_US'); goog.provide('goog.i18n.DateTimeSymbols_ckb'); goog.provide('goog.i18n.DateTimeSymbols_ckb_Arab'); goog.provide('goog.i18n.DateTimeSymbols_ckb_Arab_IQ'); goog.provide('goog.i18n.DateTimeSymbols_ckb_Arab_IR'); goog.provide('goog.i18n.DateTimeSymbols_ckb_IQ'); goog.provide('goog.i18n.DateTimeSymbols_ckb_IR'); goog.provide('goog.i18n.DateTimeSymbols_ckb_Latn'); goog.provide('goog.i18n.DateTimeSymbols_ckb_Latn_IQ'); goog.provide('goog.i18n.DateTimeSymbols_cs_CZ'); goog.provide('goog.i18n.DateTimeSymbols_cy_GB'); goog.provide('goog.i18n.DateTimeSymbols_da_DK'); goog.provide('goog.i18n.DateTimeSymbols_dav'); goog.provide('goog.i18n.DateTimeSymbols_dav_KE'); goog.provide('goog.i18n.DateTimeSymbols_de_BE'); goog.provide('goog.i18n.DateTimeSymbols_de_DE'); goog.provide('goog.i18n.DateTimeSymbols_de_LI'); goog.provide('goog.i18n.DateTimeSymbols_de_LU'); goog.provide('goog.i18n.DateTimeSymbols_dje'); goog.provide('goog.i18n.DateTimeSymbols_dje_NE'); goog.provide('goog.i18n.DateTimeSymbols_dua'); goog.provide('goog.i18n.DateTimeSymbols_dua_CM'); goog.provide('goog.i18n.DateTimeSymbols_dyo'); goog.provide('goog.i18n.DateTimeSymbols_dyo_SN'); goog.provide('goog.i18n.DateTimeSymbols_dz'); goog.provide('goog.i18n.DateTimeSymbols_dz_BT'); goog.provide('goog.i18n.DateTimeSymbols_ebu'); goog.provide('goog.i18n.DateTimeSymbols_ebu_KE'); goog.provide('goog.i18n.DateTimeSymbols_ee'); goog.provide('goog.i18n.DateTimeSymbols_ee_GH'); goog.provide('goog.i18n.DateTimeSymbols_ee_TG'); goog.provide('goog.i18n.DateTimeSymbols_el_CY'); goog.provide('goog.i18n.DateTimeSymbols_el_GR'); goog.provide('goog.i18n.DateTimeSymbols_en_AS'); goog.provide('goog.i18n.DateTimeSymbols_en_BB'); goog.provide('goog.i18n.DateTimeSymbols_en_BE'); goog.provide('goog.i18n.DateTimeSymbols_en_BM'); goog.provide('goog.i18n.DateTimeSymbols_en_BW'); goog.provide('goog.i18n.DateTimeSymbols_en_BZ'); goog.provide('goog.i18n.DateTimeSymbols_en_CA'); goog.provide('goog.i18n.DateTimeSymbols_en_Dsrt'); goog.provide('goog.i18n.DateTimeSymbols_en_Dsrt_US'); goog.provide('goog.i18n.DateTimeSymbols_en_GU'); goog.provide('goog.i18n.DateTimeSymbols_en_GY'); goog.provide('goog.i18n.DateTimeSymbols_en_HK'); goog.provide('goog.i18n.DateTimeSymbols_en_JM'); goog.provide('goog.i18n.DateTimeSymbols_en_MH'); goog.provide('goog.i18n.DateTimeSymbols_en_MP'); goog.provide('goog.i18n.DateTimeSymbols_en_MT'); goog.provide('goog.i18n.DateTimeSymbols_en_MU'); goog.provide('goog.i18n.DateTimeSymbols_en_NA'); goog.provide('goog.i18n.DateTimeSymbols_en_NZ'); goog.provide('goog.i18n.DateTimeSymbols_en_PH'); goog.provide('goog.i18n.DateTimeSymbols_en_PK'); goog.provide('goog.i18n.DateTimeSymbols_en_TT'); goog.provide('goog.i18n.DateTimeSymbols_en_UM'); goog.provide('goog.i18n.DateTimeSymbols_en_VI'); goog.provide('goog.i18n.DateTimeSymbols_en_ZW'); goog.provide('goog.i18n.DateTimeSymbols_eo'); goog.provide('goog.i18n.DateTimeSymbols_es_AR'); goog.provide('goog.i18n.DateTimeSymbols_es_BO'); goog.provide('goog.i18n.DateTimeSymbols_es_CL'); goog.provide('goog.i18n.DateTimeSymbols_es_CO'); goog.provide('goog.i18n.DateTimeSymbols_es_CR'); goog.provide('goog.i18n.DateTimeSymbols_es_DO'); goog.provide('goog.i18n.DateTimeSymbols_es_EC'); goog.provide('goog.i18n.DateTimeSymbols_es_ES'); goog.provide('goog.i18n.DateTimeSymbols_es_GQ'); goog.provide('goog.i18n.DateTimeSymbols_es_GT'); goog.provide('goog.i18n.DateTimeSymbols_es_HN'); goog.provide('goog.i18n.DateTimeSymbols_es_MX'); goog.provide('goog.i18n.DateTimeSymbols_es_NI'); goog.provide('goog.i18n.DateTimeSymbols_es_PA'); goog.provide('goog.i18n.DateTimeSymbols_es_PE'); goog.provide('goog.i18n.DateTimeSymbols_es_PR'); goog.provide('goog.i18n.DateTimeSymbols_es_PY'); goog.provide('goog.i18n.DateTimeSymbols_es_SV'); goog.provide('goog.i18n.DateTimeSymbols_es_US'); goog.provide('goog.i18n.DateTimeSymbols_es_UY'); goog.provide('goog.i18n.DateTimeSymbols_es_VE'); goog.provide('goog.i18n.DateTimeSymbols_et_EE'); goog.provide('goog.i18n.DateTimeSymbols_eu_ES'); goog.provide('goog.i18n.DateTimeSymbols_ewo'); goog.provide('goog.i18n.DateTimeSymbols_ewo_CM'); goog.provide('goog.i18n.DateTimeSymbols_fa_AF'); goog.provide('goog.i18n.DateTimeSymbols_fa_IR'); goog.provide('goog.i18n.DateTimeSymbols_ff'); goog.provide('goog.i18n.DateTimeSymbols_ff_SN'); goog.provide('goog.i18n.DateTimeSymbols_fi_FI'); goog.provide('goog.i18n.DateTimeSymbols_fil_PH'); goog.provide('goog.i18n.DateTimeSymbols_fo'); goog.provide('goog.i18n.DateTimeSymbols_fo_FO'); goog.provide('goog.i18n.DateTimeSymbols_fr_BE'); goog.provide('goog.i18n.DateTimeSymbols_fr_BF'); goog.provide('goog.i18n.DateTimeSymbols_fr_BI'); goog.provide('goog.i18n.DateTimeSymbols_fr_BJ'); goog.provide('goog.i18n.DateTimeSymbols_fr_BL'); goog.provide('goog.i18n.DateTimeSymbols_fr_CD'); goog.provide('goog.i18n.DateTimeSymbols_fr_CF'); goog.provide('goog.i18n.DateTimeSymbols_fr_CG'); goog.provide('goog.i18n.DateTimeSymbols_fr_CH'); goog.provide('goog.i18n.DateTimeSymbols_fr_CI'); goog.provide('goog.i18n.DateTimeSymbols_fr_CM'); goog.provide('goog.i18n.DateTimeSymbols_fr_DJ'); goog.provide('goog.i18n.DateTimeSymbols_fr_FR'); goog.provide('goog.i18n.DateTimeSymbols_fr_GA'); goog.provide('goog.i18n.DateTimeSymbols_fr_GF'); goog.provide('goog.i18n.DateTimeSymbols_fr_GN'); goog.provide('goog.i18n.DateTimeSymbols_fr_GP'); goog.provide('goog.i18n.DateTimeSymbols_fr_GQ'); goog.provide('goog.i18n.DateTimeSymbols_fr_KM'); goog.provide('goog.i18n.DateTimeSymbols_fr_LU'); goog.provide('goog.i18n.DateTimeSymbols_fr_MC'); goog.provide('goog.i18n.DateTimeSymbols_fr_MF'); goog.provide('goog.i18n.DateTimeSymbols_fr_MG'); goog.provide('goog.i18n.DateTimeSymbols_fr_ML'); goog.provide('goog.i18n.DateTimeSymbols_fr_MQ'); goog.provide('goog.i18n.DateTimeSymbols_fr_NE'); goog.provide('goog.i18n.DateTimeSymbols_fr_RE'); goog.provide('goog.i18n.DateTimeSymbols_fr_RW'); goog.provide('goog.i18n.DateTimeSymbols_fr_SN'); goog.provide('goog.i18n.DateTimeSymbols_fr_TD'); goog.provide('goog.i18n.DateTimeSymbols_fr_TG'); goog.provide('goog.i18n.DateTimeSymbols_fr_YT'); goog.provide('goog.i18n.DateTimeSymbols_fur'); goog.provide('goog.i18n.DateTimeSymbols_fur_IT'); goog.provide('goog.i18n.DateTimeSymbols_ga'); goog.provide('goog.i18n.DateTimeSymbols_ga_IE'); goog.provide('goog.i18n.DateTimeSymbols_gl_ES'); goog.provide('goog.i18n.DateTimeSymbols_gsw_CH'); goog.provide('goog.i18n.DateTimeSymbols_gu_IN'); goog.provide('goog.i18n.DateTimeSymbols_guz'); goog.provide('goog.i18n.DateTimeSymbols_guz_KE'); goog.provide('goog.i18n.DateTimeSymbols_gv'); goog.provide('goog.i18n.DateTimeSymbols_gv_GB'); goog.provide('goog.i18n.DateTimeSymbols_ha'); goog.provide('goog.i18n.DateTimeSymbols_ha_Latn'); goog.provide('goog.i18n.DateTimeSymbols_ha_Latn_GH'); goog.provide('goog.i18n.DateTimeSymbols_ha_Latn_NE'); goog.provide('goog.i18n.DateTimeSymbols_ha_Latn_NG'); goog.provide('goog.i18n.DateTimeSymbols_haw_US'); goog.provide('goog.i18n.DateTimeSymbols_he_IL'); goog.provide('goog.i18n.DateTimeSymbols_hi_IN'); goog.provide('goog.i18n.DateTimeSymbols_hr_HR'); goog.provide('goog.i18n.DateTimeSymbols_hu_HU'); goog.provide('goog.i18n.DateTimeSymbols_hy'); goog.provide('goog.i18n.DateTimeSymbols_hy_AM'); goog.provide('goog.i18n.DateTimeSymbols_ia'); goog.provide('goog.i18n.DateTimeSymbols_id_ID'); goog.provide('goog.i18n.DateTimeSymbols_ig'); goog.provide('goog.i18n.DateTimeSymbols_ig_NG'); goog.provide('goog.i18n.DateTimeSymbols_ii'); goog.provide('goog.i18n.DateTimeSymbols_ii_CN'); goog.provide('goog.i18n.DateTimeSymbols_is_IS'); goog.provide('goog.i18n.DateTimeSymbols_it_CH'); goog.provide('goog.i18n.DateTimeSymbols_it_IT'); goog.provide('goog.i18n.DateTimeSymbols_ja_JP'); goog.provide('goog.i18n.DateTimeSymbols_jmc'); goog.provide('goog.i18n.DateTimeSymbols_jmc_TZ'); goog.provide('goog.i18n.DateTimeSymbols_ka'); goog.provide('goog.i18n.DateTimeSymbols_ka_GE'); goog.provide('goog.i18n.DateTimeSymbols_kab'); goog.provide('goog.i18n.DateTimeSymbols_kab_DZ'); goog.provide('goog.i18n.DateTimeSymbols_kam'); goog.provide('goog.i18n.DateTimeSymbols_kam_KE'); goog.provide('goog.i18n.DateTimeSymbols_kde'); goog.provide('goog.i18n.DateTimeSymbols_kde_TZ'); goog.provide('goog.i18n.DateTimeSymbols_kea'); goog.provide('goog.i18n.DateTimeSymbols_kea_CV'); goog.provide('goog.i18n.DateTimeSymbols_khq'); goog.provide('goog.i18n.DateTimeSymbols_khq_ML'); goog.provide('goog.i18n.DateTimeSymbols_ki'); goog.provide('goog.i18n.DateTimeSymbols_ki_KE'); goog.provide('goog.i18n.DateTimeSymbols_kk'); goog.provide('goog.i18n.DateTimeSymbols_kk_Cyrl'); goog.provide('goog.i18n.DateTimeSymbols_kk_Cyrl_KZ'); goog.provide('goog.i18n.DateTimeSymbols_kl'); goog.provide('goog.i18n.DateTimeSymbols_kl_GL'); goog.provide('goog.i18n.DateTimeSymbols_kln'); goog.provide('goog.i18n.DateTimeSymbols_kln_KE'); goog.provide('goog.i18n.DateTimeSymbols_km'); goog.provide('goog.i18n.DateTimeSymbols_km_KH'); goog.provide('goog.i18n.DateTimeSymbols_kn_IN'); goog.provide('goog.i18n.DateTimeSymbols_ko_KR'); goog.provide('goog.i18n.DateTimeSymbols_kok'); goog.provide('goog.i18n.DateTimeSymbols_kok_IN'); goog.provide('goog.i18n.DateTimeSymbols_ksb'); goog.provide('goog.i18n.DateTimeSymbols_ksb_TZ'); goog.provide('goog.i18n.DateTimeSymbols_ksf'); goog.provide('goog.i18n.DateTimeSymbols_ksf_CM'); goog.provide('goog.i18n.DateTimeSymbols_ksh'); goog.provide('goog.i18n.DateTimeSymbols_ksh_DE'); goog.provide('goog.i18n.DateTimeSymbols_ku'); goog.provide('goog.i18n.DateTimeSymbols_kw'); goog.provide('goog.i18n.DateTimeSymbols_kw_GB'); goog.provide('goog.i18n.DateTimeSymbols_lag'); goog.provide('goog.i18n.DateTimeSymbols_lag_TZ'); goog.provide('goog.i18n.DateTimeSymbols_lg'); goog.provide('goog.i18n.DateTimeSymbols_lg_UG'); goog.provide('goog.i18n.DateTimeSymbols_ln_CD'); goog.provide('goog.i18n.DateTimeSymbols_ln_CG'); goog.provide('goog.i18n.DateTimeSymbols_lo'); goog.provide('goog.i18n.DateTimeSymbols_lo_LA'); goog.provide('goog.i18n.DateTimeSymbols_lt_LT'); goog.provide('goog.i18n.DateTimeSymbols_lu'); goog.provide('goog.i18n.DateTimeSymbols_lu_CD'); goog.provide('goog.i18n.DateTimeSymbols_luo'); goog.provide('goog.i18n.DateTimeSymbols_luo_KE'); goog.provide('goog.i18n.DateTimeSymbols_luy'); goog.provide('goog.i18n.DateTimeSymbols_luy_KE'); goog.provide('goog.i18n.DateTimeSymbols_lv_LV'); goog.provide('goog.i18n.DateTimeSymbols_mas'); goog.provide('goog.i18n.DateTimeSymbols_mas_KE'); goog.provide('goog.i18n.DateTimeSymbols_mas_TZ'); goog.provide('goog.i18n.DateTimeSymbols_mer'); goog.provide('goog.i18n.DateTimeSymbols_mer_KE'); goog.provide('goog.i18n.DateTimeSymbols_mfe'); goog.provide('goog.i18n.DateTimeSymbols_mfe_MU'); goog.provide('goog.i18n.DateTimeSymbols_mg'); goog.provide('goog.i18n.DateTimeSymbols_mg_MG'); goog.provide('goog.i18n.DateTimeSymbols_mgh'); goog.provide('goog.i18n.DateTimeSymbols_mgh_MZ'); goog.provide('goog.i18n.DateTimeSymbols_mk'); goog.provide('goog.i18n.DateTimeSymbols_mk_MK'); goog.provide('goog.i18n.DateTimeSymbols_ml_IN'); goog.provide('goog.i18n.DateTimeSymbols_mr_IN'); goog.provide('goog.i18n.DateTimeSymbols_ms_BN'); goog.provide('goog.i18n.DateTimeSymbols_ms_MY'); goog.provide('goog.i18n.DateTimeSymbols_mt_MT'); goog.provide('goog.i18n.DateTimeSymbols_mua'); goog.provide('goog.i18n.DateTimeSymbols_mua_CM'); goog.provide('goog.i18n.DateTimeSymbols_my'); goog.provide('goog.i18n.DateTimeSymbols_my_MM'); goog.provide('goog.i18n.DateTimeSymbols_naq'); goog.provide('goog.i18n.DateTimeSymbols_naq_NA'); goog.provide('goog.i18n.DateTimeSymbols_nb'); goog.provide('goog.i18n.DateTimeSymbols_nb_NO'); goog.provide('goog.i18n.DateTimeSymbols_nd'); goog.provide('goog.i18n.DateTimeSymbols_nd_ZW'); goog.provide('goog.i18n.DateTimeSymbols_ne'); goog.provide('goog.i18n.DateTimeSymbols_ne_IN'); goog.provide('goog.i18n.DateTimeSymbols_ne_NP'); goog.provide('goog.i18n.DateTimeSymbols_nl_AW'); goog.provide('goog.i18n.DateTimeSymbols_nl_BE'); goog.provide('goog.i18n.DateTimeSymbols_nl_NL'); goog.provide('goog.i18n.DateTimeSymbols_nmg'); goog.provide('goog.i18n.DateTimeSymbols_nmg_CM'); goog.provide('goog.i18n.DateTimeSymbols_nn'); goog.provide('goog.i18n.DateTimeSymbols_nn_NO'); goog.provide('goog.i18n.DateTimeSymbols_nr'); goog.provide('goog.i18n.DateTimeSymbols_nr_ZA'); goog.provide('goog.i18n.DateTimeSymbols_nso'); goog.provide('goog.i18n.DateTimeSymbols_nso_ZA'); goog.provide('goog.i18n.DateTimeSymbols_nus'); goog.provide('goog.i18n.DateTimeSymbols_nus_SD'); goog.provide('goog.i18n.DateTimeSymbols_nyn'); goog.provide('goog.i18n.DateTimeSymbols_nyn_UG'); goog.provide('goog.i18n.DateTimeSymbols_om'); goog.provide('goog.i18n.DateTimeSymbols_om_ET'); goog.provide('goog.i18n.DateTimeSymbols_om_KE'); goog.provide('goog.i18n.DateTimeSymbols_or_IN'); goog.provide('goog.i18n.DateTimeSymbols_pa'); goog.provide('goog.i18n.DateTimeSymbols_pa_Arab'); goog.provide('goog.i18n.DateTimeSymbols_pa_Arab_PK'); goog.provide('goog.i18n.DateTimeSymbols_pa_Guru'); goog.provide('goog.i18n.DateTimeSymbols_pa_Guru_IN'); goog.provide('goog.i18n.DateTimeSymbols_pl_PL'); goog.provide('goog.i18n.DateTimeSymbols_ps'); goog.provide('goog.i18n.DateTimeSymbols_ps_AF'); goog.provide('goog.i18n.DateTimeSymbols_pt_AO'); goog.provide('goog.i18n.DateTimeSymbols_pt_GW'); goog.provide('goog.i18n.DateTimeSymbols_pt_MZ'); goog.provide('goog.i18n.DateTimeSymbols_pt_ST'); goog.provide('goog.i18n.DateTimeSymbols_rm'); goog.provide('goog.i18n.DateTimeSymbols_rm_CH'); goog.provide('goog.i18n.DateTimeSymbols_rn'); goog.provide('goog.i18n.DateTimeSymbols_rn_BI'); goog.provide('goog.i18n.DateTimeSymbols_ro_MD'); goog.provide('goog.i18n.DateTimeSymbols_ro_RO'); goog.provide('goog.i18n.DateTimeSymbols_rof'); goog.provide('goog.i18n.DateTimeSymbols_rof_TZ'); goog.provide('goog.i18n.DateTimeSymbols_ru_MD'); goog.provide('goog.i18n.DateTimeSymbols_ru_RU'); goog.provide('goog.i18n.DateTimeSymbols_ru_UA'); goog.provide('goog.i18n.DateTimeSymbols_rw'); goog.provide('goog.i18n.DateTimeSymbols_rw_RW'); goog.provide('goog.i18n.DateTimeSymbols_rwk'); goog.provide('goog.i18n.DateTimeSymbols_rwk_TZ'); goog.provide('goog.i18n.DateTimeSymbols_sah'); goog.provide('goog.i18n.DateTimeSymbols_sah_RU'); goog.provide('goog.i18n.DateTimeSymbols_saq'); goog.provide('goog.i18n.DateTimeSymbols_saq_KE'); goog.provide('goog.i18n.DateTimeSymbols_sbp'); goog.provide('goog.i18n.DateTimeSymbols_sbp_TZ'); goog.provide('goog.i18n.DateTimeSymbols_se'); goog.provide('goog.i18n.DateTimeSymbols_se_FI'); goog.provide('goog.i18n.DateTimeSymbols_se_NO'); goog.provide('goog.i18n.DateTimeSymbols_seh'); goog.provide('goog.i18n.DateTimeSymbols_seh_MZ'); goog.provide('goog.i18n.DateTimeSymbols_ses'); goog.provide('goog.i18n.DateTimeSymbols_ses_ML'); goog.provide('goog.i18n.DateTimeSymbols_sg'); goog.provide('goog.i18n.DateTimeSymbols_sg_CF'); goog.provide('goog.i18n.DateTimeSymbols_shi'); goog.provide('goog.i18n.DateTimeSymbols_shi_Latn'); goog.provide('goog.i18n.DateTimeSymbols_shi_Latn_MA'); goog.provide('goog.i18n.DateTimeSymbols_shi_Tfng'); goog.provide('goog.i18n.DateTimeSymbols_shi_Tfng_MA'); goog.provide('goog.i18n.DateTimeSymbols_si'); goog.provide('goog.i18n.DateTimeSymbols_si_LK'); goog.provide('goog.i18n.DateTimeSymbols_sk_SK'); goog.provide('goog.i18n.DateTimeSymbols_sl_SI'); goog.provide('goog.i18n.DateTimeSymbols_sn'); goog.provide('goog.i18n.DateTimeSymbols_sn_ZW'); goog.provide('goog.i18n.DateTimeSymbols_so'); goog.provide('goog.i18n.DateTimeSymbols_so_DJ'); goog.provide('goog.i18n.DateTimeSymbols_so_ET'); goog.provide('goog.i18n.DateTimeSymbols_so_KE'); goog.provide('goog.i18n.DateTimeSymbols_so_SO'); goog.provide('goog.i18n.DateTimeSymbols_sq_AL'); goog.provide('goog.i18n.DateTimeSymbols_sr_Cyrl'); goog.provide('goog.i18n.DateTimeSymbols_sr_Cyrl_BA'); goog.provide('goog.i18n.DateTimeSymbols_sr_Cyrl_ME'); goog.provide('goog.i18n.DateTimeSymbols_sr_Cyrl_RS'); goog.provide('goog.i18n.DateTimeSymbols_sr_Latn'); goog.provide('goog.i18n.DateTimeSymbols_sr_Latn_BA'); goog.provide('goog.i18n.DateTimeSymbols_sr_Latn_ME'); goog.provide('goog.i18n.DateTimeSymbols_sr_Latn_RS'); goog.provide('goog.i18n.DateTimeSymbols_ss'); goog.provide('goog.i18n.DateTimeSymbols_ss_SZ'); goog.provide('goog.i18n.DateTimeSymbols_ss_ZA'); goog.provide('goog.i18n.DateTimeSymbols_ssy'); goog.provide('goog.i18n.DateTimeSymbols_ssy_ER'); goog.provide('goog.i18n.DateTimeSymbols_st'); goog.provide('goog.i18n.DateTimeSymbols_st_LS'); goog.provide('goog.i18n.DateTimeSymbols_st_ZA'); goog.provide('goog.i18n.DateTimeSymbols_sv_FI'); goog.provide('goog.i18n.DateTimeSymbols_sv_SE'); goog.provide('goog.i18n.DateTimeSymbols_sw_KE'); goog.provide('goog.i18n.DateTimeSymbols_sw_TZ'); goog.provide('goog.i18n.DateTimeSymbols_swc'); goog.provide('goog.i18n.DateTimeSymbols_swc_CD'); goog.provide('goog.i18n.DateTimeSymbols_ta_IN'); goog.provide('goog.i18n.DateTimeSymbols_ta_LK'); goog.provide('goog.i18n.DateTimeSymbols_te_IN'); goog.provide('goog.i18n.DateTimeSymbols_teo'); goog.provide('goog.i18n.DateTimeSymbols_teo_KE'); goog.provide('goog.i18n.DateTimeSymbols_teo_UG'); goog.provide('goog.i18n.DateTimeSymbols_tg'); goog.provide('goog.i18n.DateTimeSymbols_tg_Cyrl'); goog.provide('goog.i18n.DateTimeSymbols_tg_Cyrl_TJ'); goog.provide('goog.i18n.DateTimeSymbols_th_TH'); goog.provide('goog.i18n.DateTimeSymbols_ti'); goog.provide('goog.i18n.DateTimeSymbols_ti_ER'); goog.provide('goog.i18n.DateTimeSymbols_ti_ET'); goog.provide('goog.i18n.DateTimeSymbols_tig'); goog.provide('goog.i18n.DateTimeSymbols_tig_ER'); goog.provide('goog.i18n.DateTimeSymbols_tn'); goog.provide('goog.i18n.DateTimeSymbols_tn_ZA'); goog.provide('goog.i18n.DateTimeSymbols_to'); goog.provide('goog.i18n.DateTimeSymbols_to_TO'); goog.provide('goog.i18n.DateTimeSymbols_tr_TR'); goog.provide('goog.i18n.DateTimeSymbols_ts'); goog.provide('goog.i18n.DateTimeSymbols_ts_ZA'); goog.provide('goog.i18n.DateTimeSymbols_twq'); goog.provide('goog.i18n.DateTimeSymbols_twq_NE'); goog.provide('goog.i18n.DateTimeSymbols_tzm'); goog.provide('goog.i18n.DateTimeSymbols_tzm_Latn'); goog.provide('goog.i18n.DateTimeSymbols_tzm_Latn_MA'); goog.provide('goog.i18n.DateTimeSymbols_uk_UA'); goog.provide('goog.i18n.DateTimeSymbols_ur_IN'); goog.provide('goog.i18n.DateTimeSymbols_ur_PK'); goog.provide('goog.i18n.DateTimeSymbols_uz'); goog.provide('goog.i18n.DateTimeSymbols_uz_Arab'); goog.provide('goog.i18n.DateTimeSymbols_uz_Arab_AF'); goog.provide('goog.i18n.DateTimeSymbols_uz_Cyrl'); goog.provide('goog.i18n.DateTimeSymbols_uz_Cyrl_UZ'); goog.provide('goog.i18n.DateTimeSymbols_uz_Latn'); goog.provide('goog.i18n.DateTimeSymbols_uz_Latn_UZ'); goog.provide('goog.i18n.DateTimeSymbols_vai'); goog.provide('goog.i18n.DateTimeSymbols_vai_Latn'); goog.provide('goog.i18n.DateTimeSymbols_vai_Latn_LR'); goog.provide('goog.i18n.DateTimeSymbols_vai_Vaii'); goog.provide('goog.i18n.DateTimeSymbols_vai_Vaii_LR'); goog.provide('goog.i18n.DateTimeSymbols_ve'); goog.provide('goog.i18n.DateTimeSymbols_ve_ZA'); goog.provide('goog.i18n.DateTimeSymbols_vi_VN'); goog.provide('goog.i18n.DateTimeSymbols_vun'); goog.provide('goog.i18n.DateTimeSymbols_vun_TZ'); goog.provide('goog.i18n.DateTimeSymbols_wae'); goog.provide('goog.i18n.DateTimeSymbols_wae_CH'); goog.provide('goog.i18n.DateTimeSymbols_wal'); goog.provide('goog.i18n.DateTimeSymbols_wal_ET'); goog.provide('goog.i18n.DateTimeSymbols_xh'); goog.provide('goog.i18n.DateTimeSymbols_xh_ZA'); goog.provide('goog.i18n.DateTimeSymbols_xog'); goog.provide('goog.i18n.DateTimeSymbols_xog_UG'); goog.provide('goog.i18n.DateTimeSymbols_yav'); goog.provide('goog.i18n.DateTimeSymbols_yav_CM'); goog.provide('goog.i18n.DateTimeSymbols_yo'); goog.provide('goog.i18n.DateTimeSymbols_yo_NG'); goog.provide('goog.i18n.DateTimeSymbols_zh_Hans'); goog.provide('goog.i18n.DateTimeSymbols_zh_Hans_CN'); goog.provide('goog.i18n.DateTimeSymbols_zh_Hans_HK'); goog.provide('goog.i18n.DateTimeSymbols_zh_Hans_MO'); goog.provide('goog.i18n.DateTimeSymbols_zh_Hans_SG'); goog.provide('goog.i18n.DateTimeSymbols_zh_Hant'); goog.provide('goog.i18n.DateTimeSymbols_zh_Hant_HK'); goog.provide('goog.i18n.DateTimeSymbols_zh_Hant_MO'); goog.provide('goog.i18n.DateTimeSymbols_zh_Hant_TW'); goog.provide('goog.i18n.DateTimeSymbols_zu_ZA'); goog.require('goog.i18n.DateTimeSymbols'); /** * Date/time formatting symbols for locale aa. */ goog.i18n.DateTimeSymbols_aa = { ERAS: ['Yaasuusuk Duma', 'Yaasuusuk Wadir'], ERANAMES: ['Yaasuusuk Duma', 'Yaasuusuk Wadir'], NARROWMONTHS: ['Q', 'N', 'C', 'A', 'C', 'Q', 'Q', 'L', 'W', 'D', 'X', 'K'], STANDALONENARROWMONTHS: ['Q', 'N', 'C', 'A', 'C', 'Q', 'Q', 'L', 'W', 'D', 'X', 'K'], MONTHS: ['Qunxa Garablu', 'Kudo', 'Ciggilta Kudo', 'Agda Baxis', 'Caxah Alsa', 'Qasa Dirri', 'Qado Dirri', 'Liiqen', 'Waysu', 'Diteli', 'Ximoli', 'Kaxxa Garablu'], STANDALONEMONTHS: ['Qunxa Garablu', 'Kudo', 'Ciggilta Kudo', 'Agda Baxis', 'Caxah Alsa', 'Qasa Dirri', 'Qado Dirri', 'Liiqen', 'Waysu', 'Diteli', 'Ximoli', 'Kaxxa Garablu'], SHORTMONTHS: ['Qun', 'Nah', 'Cig', 'Agd', 'Cax', 'Qas', 'Qad', 'Leq', 'Way', 'Dit', 'Xim', 'Kax'], STANDALONESHORTMONTHS: ['Qun', 'Nah', 'Cig', 'Agd', 'Cax', 'Qas', 'Qad', 'Leq', 'Way', 'Dit', 'Xim', 'Kax'], WEEKDAYS: ['Acaada', 'Etleeni', 'Talaata', 'Arbaqa', 'Kamiisi', 'Gumqata', 'Sabti'], STANDALONEWEEKDAYS: ['Acaada', 'Etleeni', 'Talaata', 'Arbaqa', 'Kamiisi', 'Gumqata', 'Sabti'], SHORTWEEKDAYS: ['Aca', 'Etl', 'Tal', 'Arb', 'Kam', 'Gum', 'Sab'], STANDALONESHORTWEEKDAYS: ['Aca', 'Etl', 'Tal', 'Arb', 'Kam', 'Gum', 'Sab'], NARROWWEEKDAYS: ['A', 'E', 'T', 'A', 'K', 'G', 'S'], STANDALONENARROWWEEKDAYS: ['A', 'E', 'T', 'A', 'K', 'G', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], AMPMS: ['saaku', 'carra'], DATEFORMATS: ['EEEE, MMMM dd, y', 'dd MMMM y', 'dd-MMM-y', 'dd/MM/yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale aa_DJ. */ goog.i18n.DateTimeSymbols_aa_DJ = { ERAS: ['Yaasuusuk Duma', 'Yaasuusuk Wadir'], ERANAMES: ['Yaasuusuk Duma', 'Yaasuusuk Wadir'], NARROWMONTHS: ['Q', 'N', 'C', 'A', 'C', 'Q', 'Q', 'L', 'W', 'D', 'X', 'K'], STANDALONENARROWMONTHS: ['Q', 'N', 'C', 'A', 'C', 'Q', 'Q', 'L', 'W', 'D', 'X', 'K'], MONTHS: ['Qunxa Garablu', 'Kudo', 'Ciggilta Kudo', 'Agda Baxis', 'Caxah Alsa', 'Qasa Dirri', 'Qado Dirri', 'Leqeeni', 'Waysu', 'Diteli', 'Ximoli', 'Kaxxa Garablu'], STANDALONEMONTHS: ['Qunxa Garablu', 'Kudo', 'Ciggilta Kudo', 'Agda Baxis', 'Caxah Alsa', 'Qasa Dirri', 'Qado Dirri', 'Leqeeni', 'Waysu', 'Diteli', 'Ximoli', 'Kaxxa Garablu'], SHORTMONTHS: ['Qun', 'Nah', 'Cig', 'Agd', 'Cax', 'Qas', 'Qad', 'Leq', 'Way', 'Dit', 'Xim', 'Kax'], STANDALONESHORTMONTHS: ['Qun', 'Nah', 'Cig', 'Agd', 'Cax', 'Qas', 'Qad', 'Leq', 'Way', 'Dit', 'Xim', 'Kax'], WEEKDAYS: ['Acaada', 'Etleeni', 'Talaata', 'Arbaqa', 'Kamiisi', 'Gumqata', 'Sabti'], STANDALONEWEEKDAYS: ['Acaada', 'Etleeni', 'Talaata', 'Arbaqa', 'Kamiisi', 'Gumqata', 'Sabti'], SHORTWEEKDAYS: ['Aca', 'Etl', 'Tal', 'Arb', 'Kam', 'Gum', 'Sab'], STANDALONESHORTWEEKDAYS: ['Aca', 'Etl', 'Tal', 'Arb', 'Kam', 'Gum', 'Sab'], NARROWWEEKDAYS: ['A', 'E', 'T', 'A', 'K', 'G', 'S'], STANDALONENARROWWEEKDAYS: ['A', 'E', 'T', 'A', 'K', 'G', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], AMPMS: ['saaku', 'carra'], DATEFORMATS: ['EEEE, MMMM dd, y', 'dd MMMM y', 'dd-MMM-y', 'dd/MM/yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 5, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 4 }; /** * Date/time formatting symbols for locale aa_ER. */ goog.i18n.DateTimeSymbols_aa_ER = goog.i18n.DateTimeSymbols_aa; /** * Date/time formatting symbols for locale aa_ET. */ goog.i18n.DateTimeSymbols_aa_ET = goog.i18n.DateTimeSymbols_aa; /** * Date/time formatting symbols for locale af_NA. */ goog.i18n.DateTimeSymbols_af_NA = { ERAS: ['v.C.', 'n.C.'], ERANAMES: ['voor Christus', 'na Christus'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['Januarie', 'Februarie', 'Maart', 'April', 'Mei', 'Junie', 'Julie', 'Augustus', 'September', 'Oktober', 'November', 'Desember'], STANDALONEMONTHS: ['Januarie', 'Februarie', 'Maart', 'April', 'Mei', 'Junie', 'Julie', 'Augustus', 'September', 'Oktober', 'November', 'Desember'], SHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'Mei', 'Jun', 'Jul', 'Aug', 'Sep', 'Okt', 'Nov', 'Des'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'Mei', 'Jun', 'Jul', 'Aug', 'Sep', 'Okt', 'Nov', 'Des'], WEEKDAYS: ['Sondag', 'Maandag', 'Dinsdag', 'Woensdag', 'Donderdag', 'Vrydag', 'Saterdag'], STANDALONEWEEKDAYS: ['Sondag', 'Maandag', 'Dinsdag', 'Woensdag', 'Donderdag', 'Vrydag', 'Saterdag'], SHORTWEEKDAYS: ['So', 'Ma', 'Di', 'Wo', 'Do', 'Vr', 'Sa'], STANDALONESHORTWEEKDAYS: ['So', 'Ma', 'Di', 'Wo', 'Do', 'Vr', 'Sa'], NARROWWEEKDAYS: ['S', 'M', 'D', 'W', 'D', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'D', 'W', 'D', 'V', 'S'], SHORTQUARTERS: ['K1', 'K2', 'K3', 'K4'], QUARTERS: ['1ste kwartaal', '2de kwartaal', '3de kwartaal', '4de kwartaal'], AMPMS: ['vm.', 'nm.'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'yyyy-MM-dd'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale af_ZA. */ goog.i18n.DateTimeSymbols_af_ZA = { ERAS: ['v.C.', 'n.C.'], ERANAMES: ['voor Christus', 'na Christus'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['Januarie', 'Februarie', 'Maart', 'April', 'Mei', 'Junie', 'Julie', 'Augustus', 'September', 'Oktober', 'November', 'Desember'], STANDALONEMONTHS: ['Januarie', 'Februarie', 'Maart', 'April', 'Mei', 'Junie', 'Julie', 'Augustus', 'September', 'Oktober', 'November', 'Desember'], SHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'Mei', 'Jun', 'Jul', 'Aug', 'Sep', 'Okt', 'Nov', 'Des'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'Mei', 'Jun', 'Jul', 'Aug', 'Sep', 'Okt', 'Nov', 'Des'], WEEKDAYS: ['Sondag', 'Maandag', 'Dinsdag', 'Woensdag', 'Donderdag', 'Vrydag', 'Saterdag'], STANDALONEWEEKDAYS: ['Sondag', 'Maandag', 'Dinsdag', 'Woensdag', 'Donderdag', 'Vrydag', 'Saterdag'], SHORTWEEKDAYS: ['So', 'Ma', 'Di', 'Wo', 'Do', 'Vr', 'Sa'], STANDALONESHORTWEEKDAYS: ['So', 'Ma', 'Di', 'Wo', 'Do', 'Vr', 'Sa'], NARROWWEEKDAYS: ['S', 'M', 'D', 'W', 'D', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'D', 'W', 'D', 'V', 'S'], SHORTQUARTERS: ['K1', 'K2', 'K3', 'K4'], QUARTERS: ['1ste kwartaal', '2de kwartaal', '3de kwartaal', '4de kwartaal'], AMPMS: ['vm.', 'nm.'], DATEFORMATS: ['EEEE dd MMMM y', 'dd MMMM y', 'dd MMM y', 'yyyy-MM-dd'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale agq. */ goog.i18n.DateTimeSymbols_agq = { ERAS: ['SK', 'BK'], ERANAMES: ['Sěe Kɨ̀lesto', 'Bǎa Kɨ̀lesto'], NARROWMONTHS: ['n', 'k', 't', 't', 's', 'z', 'k', 'f', 'd', 'l', 'c', 'f'], STANDALONENARROWMONTHS: ['n', 'k', 't', 't', 's', 'z', 'k', 'f', 'd', 'l', 'c', 'f'], MONTHS: ['ndzɔ̀ŋɔ̀nùm', 'ndzɔ̀ŋɔ̀kƗ̀zùʔ', 'ndzɔ̀ŋɔ̀tƗ̀dʉ̀ghà', 'ndzɔ̀ŋɔ̀tǎafʉ̄ghā', 'ndzɔ̀ŋèsèe', 'ndzɔ̀ŋɔ̀nzùghò', 'ndzɔ̀ŋɔ̀dùmlo', 'ndzɔ̀ŋɔ̀kwîfɔ̀e', 'ndzɔ̀ŋɔ̀tƗ̀fʉ̀ghàdzughù', 'ndzɔ̀ŋɔ̀ghǔuwelɔ̀m', 'ndzɔ̀ŋɔ̀chwaʔàkaa wo', 'ndzɔ̀ŋèfwòo'], STANDALONEMONTHS: ['ndzɔ̀ŋɔ̀nùm', 'ndzɔ̀ŋɔ̀kƗ̀zùʔ', 'ndzɔ̀ŋɔ̀tƗ̀dʉ̀ghà', 'ndzɔ̀ŋɔ̀tǎafʉ̄ghā', 'ndzɔ̀ŋèsèe', 'ndzɔ̀ŋɔ̀nzùghò', 'ndzɔ̀ŋɔ̀dùmlo', 'ndzɔ̀ŋɔ̀kwîfɔ̀e', 'ndzɔ̀ŋɔ̀tƗ̀fʉ̀ghàdzughù', 'ndzɔ̀ŋɔ̀ghǔuwelɔ̀m', 'ndzɔ̀ŋɔ̀chwaʔàkaa wo', 'ndzɔ̀ŋèfwòo'], SHORTMONTHS: ['nùm', 'kɨz', 'tɨd', 'taa', 'see', 'nzu', 'dum', 'fɔe', 'dzu', 'lɔm', 'kaa', 'fwo'], STANDALONESHORTMONTHS: ['nùm', 'kɨz', 'tɨd', 'taa', 'see', 'nzu', 'dum', 'fɔe', 'dzu', 'lɔm', 'kaa', 'fwo'], WEEKDAYS: ['tsuʔntsɨ', 'tsuʔukpà', 'tsuʔughɔe', 'tsuʔutɔ̀mlò', 'tsuʔumè', 'tsuʔughɨ̂m', 'tsuʔndzɨkɔʔɔ'], STANDALONEWEEKDAYS: ['tsuʔntsɨ', 'tsuʔukpà', 'tsuʔughɔe', 'tsuʔutɔ̀mlò', 'tsuʔumè', 'tsuʔughɨ̂m', 'tsuʔndzɨkɔʔɔ'], SHORTWEEKDAYS: ['nts', 'kpa', 'ghɔ', 'tɔm', 'ume', 'ghɨ', 'dzk'], STANDALONESHORTWEEKDAYS: ['nts', 'kpa', 'ghɔ', 'tɔm', 'ume', 'ghɨ', 'dzk'], NARROWWEEKDAYS: ['n', 'k', 'g', 't', 'u', 'g', 'd'], STANDALONENARROWWEEKDAYS: ['n', 'k', 'g', 't', 'u', 'g', 'd'], SHORTQUARTERS: ['kɨbâ kɨ 1', 'ugbâ u 2', 'ugbâ u 3', 'ugbâ u 4'], QUARTERS: ['kɨbâ kɨ 1', 'ugbâ u 2', 'ugbâ u 3', 'ugbâ u 4'], AMPMS: ['a.g', 'a.k'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM, y', 'd/M/yyyy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale agq_CM. */ goog.i18n.DateTimeSymbols_agq_CM = goog.i18n.DateTimeSymbols_agq; /** * Date/time formatting symbols for locale ak. */ goog.i18n.DateTimeSymbols_ak = { ERAS: ['AK', 'KE'], ERANAMES: ['Ansa Kristo', 'Kristo Ekyiri'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['Sanda-Ɔpɛpɔn', 'Kwakwar-Ɔgyefuo', 'Ebɔw-Ɔbenem', 'Ebɔbira-Oforisuo', 'Esusow Aketseaba-Kɔtɔnimba', 'Obirade-Ayɛwohomumu', 'Ayɛwoho-Kitawonsa', 'Difuu-Ɔsandaa', 'Fankwa-Ɛbɔ', 'Ɔbɛsɛ-Ahinime', 'Ɔberɛfɛw-Obubuo', 'Mumu-Ɔpɛnimba'], STANDALONEMONTHS: ['Sanda-Ɔpɛpɔn', 'Kwakwar-Ɔgyefuo', 'Ebɔw-Ɔbenem', 'Ebɔbira-Oforisuo', 'Esusow Aketseaba-Kɔtɔnimba', 'Obirade-Ayɛwohomumu', 'Ayɛwoho-Kitawonsa', 'Difuu-Ɔsandaa', 'Fankwa-Ɛbɔ', 'Ɔbɛsɛ-Ahinime', 'Ɔberɛfɛw-Obubuo', 'Mumu-Ɔpɛnimba'], SHORTMONTHS: ['S-Ɔ', 'K-Ɔ', 'E-Ɔ', 'E-O', 'E-K', 'O-A', 'A-K', 'D-Ɔ', 'F-Ɛ', 'Ɔ-A', 'Ɔ-O', 'M-Ɔ'], STANDALONESHORTMONTHS: ['S-Ɔ', 'K-Ɔ', 'E-Ɔ', 'E-O', 'E-K', 'O-A', 'A-K', 'D-Ɔ', 'F-Ɛ', 'Ɔ-A', 'Ɔ-O', 'M-Ɔ'], WEEKDAYS: ['Kwesida', 'Dwowda', 'Benada', 'Wukuda', 'Yawda', 'Fida', 'Memeneda'], STANDALONEWEEKDAYS: ['Kwesida', 'Dwowda', 'Benada', 'Wukuda', 'Yawda', 'Fida', 'Memeneda'], SHORTWEEKDAYS: ['Kwe', 'Dwo', 'Ben', 'Wuk', 'Yaw', 'Fia', 'Mem'], STANDALONESHORTWEEKDAYS: ['Kwe', 'Dwo', 'Ben', 'Wuk', 'Yaw', 'Fia', 'Mem'], NARROWWEEKDAYS: ['K', 'D', 'B', 'W', 'Y', 'F', 'M'], STANDALONENARROWWEEKDAYS: ['K', 'D', 'B', 'W', 'Y', 'F', 'M'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], AMPMS: ['AN', 'EW'], DATEFORMATS: ['EEEE, y MMMM dd', 'y MMMM d', 'y MMM d', 'yy/MM/dd'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale ak_GH. */ goog.i18n.DateTimeSymbols_ak_GH = goog.i18n.DateTimeSymbols_ak; /** * Date/time formatting symbols for locale am_ET. */ goog.i18n.DateTimeSymbols_am_ET = { ERAS: ['ዓ/ዓ', 'ዓ/ም'], ERANAMES: ['ዓመተ ዓለም', 'ዓመተ ምሕረት'], NARROWMONTHS: ['ጃ', 'ፌ', 'ማ', 'ኤ', 'ሜ', 'ጁ', 'ጁ', 'ኦ', 'ሴ', 'ኦ', 'ኖ', 'ዲ'], STANDALONENARROWMONTHS: ['ጃ', 'ፌ', 'ማ', 'ኤ', 'ሜ', 'ጁ', 'ጁ', 'ኦ', 'ሴ', 'ኦ', 'ኖ', 'ዲ'], MONTHS: ['ጃንዩወሪ', 'ፌብሩወሪ', 'ማርች', 'ኤፕረል', 'ሜይ', 'ጁን', 'ጁላይ', 'ኦገስት', 'ሴፕቴምበር', 'ኦክተውበር', 'ኖቬምበር', 'ዲሴምበር'], STANDALONEMONTHS: ['ጃንዩወሪ', 'ፌብሩወሪ', 'ማርች', 'ኤፕረል', 'ሜይ', 'ጁን', 'ጁላይ', 'ኦገስት', 'ሴፕቴምበር', 'ኦክተውበር', 'ኖቬምበር', 'ዲሴምበር'], SHORTMONTHS: ['ጃንዩ', 'ፌብሩ', 'ማርች', 'ኤፕረ', 'ሜይ', 'ጁን', 'ጁላይ', 'ኦገስ', 'ሴፕቴ', 'ኦክተ', 'ኖቬም', 'ዲሴም'], STANDALONESHORTMONTHS: ['ጃንዩ', 'ፌብሩ', 'ማርች', 'ኤፕረ', 'ሜይ', 'ጁን', 'ጁላይ', 'ኦገስ', 'ሴፕቴ', 'ኦክተ', 'ኖቬም', 'ዲሴም'], WEEKDAYS: ['እሑድ', 'ሰኞ', 'ማክሰኞ', 'ረቡዕ', 'ሐሙስ', 'ዓርብ', 'ቅዳሜ'], STANDALONEWEEKDAYS: ['እሑድ', 'ሰኞ', 'ማክሰኞ', 'ረቡዕ', 'ሐሙስ', 'ዓርብ', 'ቅዳሜ'], SHORTWEEKDAYS: ['እሑድ', 'ሰኞ', 'ማክሰ', 'ረቡዕ', 'ሐሙስ', 'ዓርብ', 'ቅዳሜ'], STANDALONESHORTWEEKDAYS: ['እሑድ', 'ሰኞ', 'ማክሰ', 'ረቡዕ', 'ሐሙስ', 'ዓርብ', 'ቅዳሜ'], NARROWWEEKDAYS: ['እ', 'ሰ', 'ማ', 'ረ', 'ሐ', 'ዓ', 'ቅ'], STANDALONENARROWWEEKDAYS: ['እ', 'ሰ', 'ማ', 'ረ', 'ሐ', 'ዓ', 'ቅ'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['1ኛው ሩብ', 'ሁለተኛው ሩብ', '3ኛው ሩብ', '4ኛው ሩብ'], AMPMS: ['ጡዋት', 'ከሳዓት'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yyyy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale ar_AE. */ goog.i18n.DateTimeSymbols_ar_AE = { ZERODIGIT: 0x0660, ERAS: ['ق.م', 'م'], ERANAMES: ['قبل الميلاد', 'ميلادي'], NARROWMONTHS: ['ي', 'ف', 'م', 'أ', 'و', 'ن', 'ل', 'غ', 'س', 'ك', 'ب', 'د'], STANDALONENARROWMONTHS: ['ي', 'ف', 'م', 'أ', 'و', 'ن', 'ل', 'غ', 'س', 'ك', 'ب', 'د'], MONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], STANDALONEMONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], SHORTMONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], STANDALONESHORTMONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], WEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], STANDALONEWEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], SHORTWEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], STANDALONESHORTWEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], NARROWWEEKDAYS: ['ح', 'ن', 'ث', 'ر', 'خ', 'ج', 'س'], STANDALONENARROWWEEKDAYS: ['ح', 'ن', 'ث', 'ر', 'خ', 'ج', 'س'], SHORTQUARTERS: ['الربع الأول', 'الربع الثاني', 'الربع الثالث', 'الربع الرابع'], QUARTERS: ['الربع الأول', 'الربع الثاني', 'الربع الثالث', 'الربع الرابع'], AMPMS: ['ص', 'م'], DATEFORMATS: ['EEEE، d MMMM، y', 'd MMMM، y', 'dd‏/MM‏/yyyy', 'd‏/M‏/yyyy'], TIMEFORMATS: ['zzzz h:mm:ss a', 'z h:mm:ss a', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 5, WEEKENDRANGE: [4, 5], FIRSTWEEKCUTOFFDAY: 4 }; /** * Date/time formatting symbols for locale ar_BH. */ goog.i18n.DateTimeSymbols_ar_BH = { ZERODIGIT: 0x0660, ERAS: ['ق.م', 'م'], ERANAMES: ['قبل الميلاد', 'ميلادي'], NARROWMONTHS: ['ي', 'ف', 'م', 'أ', 'و', 'ن', 'ل', 'غ', 'س', 'ك', 'ب', 'د'], STANDALONENARROWMONTHS: ['ي', 'ف', 'م', 'أ', 'و', 'ن', 'ل', 'غ', 'س', 'ك', 'ب', 'د'], MONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], STANDALONEMONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], SHORTMONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], STANDALONESHORTMONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], WEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], STANDALONEWEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], SHORTWEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], STANDALONESHORTWEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], NARROWWEEKDAYS: ['ح', 'ن', 'ث', 'ر', 'خ', 'ج', 'س'], STANDALONENARROWWEEKDAYS: ['ح', 'ن', 'ث', 'ر', 'خ', 'ج', 'س'], SHORTQUARTERS: ['الربع الأول', 'الربع الثاني', 'الربع الثالث', 'الربع الرابع'], QUARTERS: ['الربع الأول', 'الربع الثاني', 'الربع الثالث', 'الربع الرابع'], AMPMS: ['ص', 'م'], DATEFORMATS: ['EEEE، d MMMM، y', 'd MMMM، y', 'dd‏/MM‏/yyyy', 'd‏/M‏/yyyy'], TIMEFORMATS: ['zzzz h:mm:ss a', 'z h:mm:ss a', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 5, WEEKENDRANGE: [4, 5], FIRSTWEEKCUTOFFDAY: 4 }; /** * Date/time formatting symbols for locale ar_DZ. */ goog.i18n.DateTimeSymbols_ar_DZ = { ERAS: ['ق.م', 'م'], ERANAMES: ['قبل الميلاد', 'ميلادي'], NARROWMONTHS: ['ي', 'ف', 'م', 'أ', 'و', 'ن', 'ل', 'غ', 'س', 'ك', 'ب', 'د'], STANDALONENARROWMONTHS: ['ي', 'ف', 'م', 'أ', 'و', 'ن', 'ل', 'غ', 'س', 'ك', 'ب', 'د'], MONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], STANDALONEMONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], SHORTMONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], STANDALONESHORTMONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], WEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], STANDALONEWEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], SHORTWEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], STANDALONESHORTWEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], NARROWWEEKDAYS: ['ح', 'ن', 'ث', 'ر', 'خ', 'ج', 'س'], STANDALONENARROWWEEKDAYS: ['ح', 'ن', 'ث', 'ر', 'خ', 'ج', 'س'], SHORTQUARTERS: ['الربع الأول', 'الربع الثاني', 'الربع الثالث', 'الربع الرابع'], QUARTERS: ['الربع الأول', 'الربع الثاني', 'الربع الثالث', 'الربع الرابع'], AMPMS: ['ص', 'م'], DATEFORMATS: ['EEEE، d MMMM، y', 'd MMMM، y', 'yyyy/MM/dd', 'yyyy/M/d'], TIMEFORMATS: ['zzzz h:mm:ss a', 'z h:mm:ss a', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 5, WEEKENDRANGE: [3, 4], FIRSTWEEKCUTOFFDAY: 4 }; /** * Date/time formatting symbols for locale ar_EG. */ goog.i18n.DateTimeSymbols_ar_EG = { ZERODIGIT: 0x0660, ERAS: ['ق.م', 'م'], ERANAMES: ['قبل الميلاد', 'ميلادي'], NARROWMONTHS: ['ي', 'ف', 'م', 'أ', 'و', 'ن', 'ل', 'غ', 'س', 'ك', 'ب', 'د'], STANDALONENARROWMONTHS: ['ي', 'ف', 'م', 'أ', 'و', 'ن', 'ل', 'غ', 'س', 'ك', 'ب', 'د'], MONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], STANDALONEMONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], SHORTMONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], STANDALONESHORTMONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], WEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], STANDALONEWEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], SHORTWEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], STANDALONESHORTWEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], NARROWWEEKDAYS: ['ح', 'ن', 'ث', 'ر', 'خ', 'ج', 'س'], STANDALONENARROWWEEKDAYS: ['ح', 'ن', 'ث', 'ر', 'خ', 'ج', 'س'], SHORTQUARTERS: ['الربع الأول', 'الربع الثاني', 'الربع الثالث', 'الربع الرابع'], QUARTERS: ['الربع الأول', 'الربع الثاني', 'الربع الثالث', 'الربع الرابع'], AMPMS: ['ص', 'م'], DATEFORMATS: ['EEEE، d MMMM، y', 'd MMMM، y', 'dd‏/MM‏/yyyy', 'd‏/M‏/yyyy'], TIMEFORMATS: ['zzzz h:mm:ss a', 'z h:mm:ss a', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 5, WEEKENDRANGE: [4, 5], FIRSTWEEKCUTOFFDAY: 4 }; /** * Date/time formatting symbols for locale ar_IQ. */ goog.i18n.DateTimeSymbols_ar_IQ = { ZERODIGIT: 0x0660, ERAS: ['ق.م', 'م'], ERANAMES: ['قبل الميلاد', 'ميلادي'], NARROWMONTHS: ['ي', 'ف', 'م', 'أ', 'و', 'ن', 'ل', 'غ', 'س', 'ك', 'ب', 'د'], STANDALONENARROWMONTHS: ['ي', 'ف', 'م', 'أ', 'و', 'ن', 'ل', 'غ', 'س', 'ك', 'ب', 'د'], MONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], STANDALONEMONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], SHORTMONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], STANDALONESHORTMONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], WEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], STANDALONEWEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], SHORTWEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], STANDALONESHORTWEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], NARROWWEEKDAYS: ['ح', 'ن', 'ث', 'ر', 'خ', 'ج', 'س'], STANDALONENARROWWEEKDAYS: ['ح', 'ن', 'ث', 'ر', 'خ', 'ج', 'س'], SHORTQUARTERS: ['الربع الأول', 'الربع الثاني', 'الربع الثالث', 'الربع الرابع'], QUARTERS: ['الربع الأول', 'الربع الثاني', 'الربع الثالث', 'الربع الرابع'], AMPMS: ['ص', 'م'], DATEFORMATS: ['EEEE، d MMMM، y', 'd MMMM، y', 'dd‏/MM‏/yyyy', 'd‏/M‏/yyyy'], TIMEFORMATS: ['zzzz h:mm:ss a', 'z h:mm:ss a', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 5, WEEKENDRANGE: [4, 5], FIRSTWEEKCUTOFFDAY: 4 }; /** * Date/time formatting symbols for locale ar_JO. */ goog.i18n.DateTimeSymbols_ar_JO = { ZERODIGIT: 0x0660, ERAS: ['ق.م', 'م'], ERANAMES: ['قبل الميلاد', 'ميلادي'], NARROWMONTHS: ['ي', 'ف', 'م', 'أ', 'و', 'ن', 'ل', 'غ', 'س', 'ك', 'ب', 'د'], STANDALONENARROWMONTHS: ['ي', 'ف', 'م', 'أ', 'و', 'ن', 'ل', 'غ', 'س', 'ك', 'ب', 'د'], MONTHS: ['كانون الثاني', 'شباط', 'آذار', 'نيسان', 'أيار', 'حزيران', 'تموز', 'آب', 'أيلول', 'تشرين الأول', 'تشرين الثاني', 'كانون الأول'], STANDALONEMONTHS: ['كانون الثاني', 'شباط', 'آذار', 'نيسان', 'أيار', 'حزيران', 'تموز', 'آب', 'أيلول', 'تشرين الأول', 'تشرين الثاني', 'كانون الأول'], SHORTMONTHS: ['كانون الثاني', 'شباط', 'آذار', 'نيسان', 'أيار', 'حزيران', 'تموز', 'آب', 'أيلول', 'تشرين الأول', 'تشرين الثاني', 'كانون الأول'], STANDALONESHORTMONTHS: ['كانون الثاني', 'شباط', 'آذار', 'نيسان', 'أيار', 'حزيران', 'تموز', 'آب', 'أيلول', 'تشرين الأول', 'تشرين الثاني', 'كانون الأول'], WEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], STANDALONEWEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], SHORTWEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], STANDALONESHORTWEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], NARROWWEEKDAYS: ['ح', 'ن', 'ث', 'ر', 'خ', 'ج', 'س'], STANDALONENARROWWEEKDAYS: ['ح', 'ن', 'ث', 'ر', 'خ', 'ج', 'س'], SHORTQUARTERS: ['الربع الأول', 'الربع الثاني', 'الربع الثالث', 'الربع الرابع'], QUARTERS: ['الربع الأول', 'الربع الثاني', 'الربع الثالث', 'الربع الرابع'], AMPMS: ['ص', 'م'], DATEFORMATS: ['EEEE، d MMMM، y', 'd MMMM، y', 'dd‏/MM‏/yyyy', 'd‏/M‏/yyyy'], TIMEFORMATS: ['zzzz h:mm:ss a', 'z h:mm:ss a', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 5, WEEKENDRANGE: [4, 5], FIRSTWEEKCUTOFFDAY: 4 }; /** * Date/time formatting symbols for locale ar_KW. */ goog.i18n.DateTimeSymbols_ar_KW = { ZERODIGIT: 0x0660, ERAS: ['ق.م', 'م'], ERANAMES: ['قبل الميلاد', 'ميلادي'], NARROWMONTHS: ['ي', 'ف', 'م', 'أ', 'و', 'ن', 'ل', 'غ', 'س', 'ك', 'ب', 'د'], STANDALONENARROWMONTHS: ['ي', 'ف', 'م', 'أ', 'و', 'ن', 'ل', 'غ', 'س', 'ك', 'ب', 'د'], MONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], STANDALONEMONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], SHORTMONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], STANDALONESHORTMONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], WEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], STANDALONEWEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], SHORTWEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], STANDALONESHORTWEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], NARROWWEEKDAYS: ['ح', 'ن', 'ث', 'ر', 'خ', 'ج', 'س'], STANDALONENARROWWEEKDAYS: ['ح', 'ن', 'ث', 'ر', 'خ', 'ج', 'س'], SHORTQUARTERS: ['الربع الأول', 'الربع الثاني', 'الربع الثالث', 'الربع الرابع'], QUARTERS: ['الربع الأول', 'الربع الثاني', 'الربع الثالث', 'الربع الرابع'], AMPMS: ['ص', 'م'], DATEFORMATS: ['EEEE، d MMMM، y', 'd MMMM، y', 'dd‏/MM‏/yyyy', 'd‏/M‏/yyyy'], TIMEFORMATS: ['zzzz h:mm:ss a', 'z h:mm:ss a', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 5, WEEKENDRANGE: [4, 5], FIRSTWEEKCUTOFFDAY: 4 }; /** * Date/time formatting symbols for locale ar_LB. */ goog.i18n.DateTimeSymbols_ar_LB = { ZERODIGIT: 0x0660, ERAS: ['ق.م', 'م'], ERANAMES: ['قبل الميلاد', 'ميلادي'], NARROWMONTHS: ['ي', 'ف', 'م', 'أ', 'و', 'ن', 'ل', 'غ', 'س', 'ك', 'ب', 'د'], STANDALONENARROWMONTHS: ['ي', 'ف', 'م', 'أ', 'و', 'ن', 'ل', 'غ', 'س', 'ك', 'ب', 'د'], MONTHS: ['كانون الثاني', 'شباط', 'آذار', 'نيسان', 'أيار', 'حزيران', 'تموز', 'آب', 'أيلول', 'تشرين الأول', 'تشرين الثاني', 'كانون الأول'], STANDALONEMONTHS: ['كانون الثاني', 'شباط', 'آذار', 'نيسان', 'أيار', 'حزيران', 'تموز', 'آب', 'أيلول', 'تشرين الأول', 'تشرين الثاني', 'كانون الأول'], SHORTMONTHS: ['كانون الثاني', 'شباط', 'آذار', 'نيسان', 'أيار', 'حزيران', 'تموز', 'آب', 'أيلول', 'تشرين الأول', 'تشرين الثاني', 'كانون الأول'], STANDALONESHORTMONTHS: ['كانون الثاني', 'شباط', 'آذار', 'نيسان', 'أيار', 'حزيران', 'تموز', 'آب', 'أيلول', 'تشرين الأول', 'تشرين الثاني', 'كانون الأول'], WEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], STANDALONEWEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], SHORTWEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], STANDALONESHORTWEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], NARROWWEEKDAYS: ['ح', 'ن', 'ث', 'ر', 'خ', 'ج', 'س'], STANDALONENARROWWEEKDAYS: ['ح', 'ن', 'ث', 'ر', 'خ', 'ج', 'س'], SHORTQUARTERS: ['الربع الأول', 'الربع الثاني', 'الربع الثالث', 'الربع الرابع'], QUARTERS: ['الربع الأول', 'الربع الثاني', 'الربع الثالث', 'الربع الرابع'], AMPMS: ['ص', 'م'], DATEFORMATS: ['EEEE، d MMMM، y', 'd MMMM، y', 'dd‏/MM‏/yyyy', 'd‏/M‏/yyyy'], TIMEFORMATS: ['zzzz h:mm:ss a', 'z h:mm:ss a', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale ar_LY. */ goog.i18n.DateTimeSymbols_ar_LY = { ZERODIGIT: 0x0660, ERAS: ['ق.م', 'م'], ERANAMES: ['قبل الميلاد', 'ميلادي'], NARROWMONTHS: ['ي', 'ف', 'م', 'أ', 'و', 'ن', 'ل', 'غ', 'س', 'ك', 'ب', 'د'], STANDALONENARROWMONTHS: ['ي', 'ف', 'م', 'أ', 'و', 'ن', 'ل', 'غ', 'س', 'ك', 'ب', 'د'], MONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], STANDALONEMONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], SHORTMONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], STANDALONESHORTMONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], WEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], STANDALONEWEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], SHORTWEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], STANDALONESHORTWEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], NARROWWEEKDAYS: ['ح', 'ن', 'ث', 'ر', 'خ', 'ج', 'س'], STANDALONENARROWWEEKDAYS: ['ح', 'ن', 'ث', 'ر', 'خ', 'ج', 'س'], SHORTQUARTERS: ['الربع الأول', 'الربع الثاني', 'الربع الثالث', 'الربع الرابع'], QUARTERS: ['الربع الأول', 'الربع الثاني', 'الربع الثالث', 'الربع الرابع'], AMPMS: ['ص', 'م'], DATEFORMATS: ['EEEE، d MMMM، y', 'd MMMM، y', 'dd‏/MM‏/yyyy', 'd‏/M‏/yyyy'], TIMEFORMATS: ['zzzz h:mm:ss a', 'z h:mm:ss a', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 5, WEEKENDRANGE: [4, 5], FIRSTWEEKCUTOFFDAY: 4 }; /** * Date/time formatting symbols for locale ar_MA. */ goog.i18n.DateTimeSymbols_ar_MA = { ERAS: ['ق.م', 'م'], ERANAMES: ['قبل الميلاد', 'ميلادي'], NARROWMONTHS: ['ي', 'ف', 'م', 'أ', 'و', 'ن', 'ل', 'غ', 'س', 'ك', 'ب', 'د'], STANDALONENARROWMONTHS: ['ي', 'ف', 'م', 'أ', 'و', 'ن', 'ل', 'غ', 'س', 'ك', 'ب', 'د'], MONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], STANDALONEMONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], SHORTMONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], STANDALONESHORTMONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], WEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], STANDALONEWEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], SHORTWEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], STANDALONESHORTWEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], NARROWWEEKDAYS: ['ح', 'ن', 'ث', 'ر', 'خ', 'ج', 'س'], STANDALONENARROWWEEKDAYS: ['ح', 'ن', 'ث', 'ر', 'خ', 'ج', 'س'], SHORTQUARTERS: ['الربع الأول', 'الربع الثاني', 'الربع الثالث', 'الربع الرابع'], QUARTERS: ['الربع الأول', 'الربع الثاني', 'الربع الثالث', 'الربع الرابع'], AMPMS: ['ص', 'م'], DATEFORMATS: ['EEEE، d MMMM، y', 'd MMMM، y', 'yyyy/MM/dd', 'yyyy/M/d'], TIMEFORMATS: ['zzzz h:mm:ss a', 'z h:mm:ss a', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 5, WEEKENDRANGE: [4, 5], FIRSTWEEKCUTOFFDAY: 4 }; /** * Date/time formatting symbols for locale ar_OM. */ goog.i18n.DateTimeSymbols_ar_OM = { ZERODIGIT: 0x0660, ERAS: ['ق.م', 'م'], ERANAMES: ['قبل الميلاد', 'ميلادي'], NARROWMONTHS: ['ي', 'ف', 'م', 'أ', 'و', 'ن', 'ل', 'غ', 'س', 'ك', 'ب', 'د'], STANDALONENARROWMONTHS: ['ي', 'ف', 'م', 'أ', 'و', 'ن', 'ل', 'غ', 'س', 'ك', 'ب', 'د'], MONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], STANDALONEMONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], SHORTMONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], STANDALONESHORTMONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], WEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], STANDALONEWEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], SHORTWEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], STANDALONESHORTWEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], NARROWWEEKDAYS: ['ح', 'ن', 'ث', 'ر', 'خ', 'ج', 'س'], STANDALONENARROWWEEKDAYS: ['ح', 'ن', 'ث', 'ر', 'خ', 'ج', 'س'], SHORTQUARTERS: ['الربع الأول', 'الربع الثاني', 'الربع الثالث', 'الربع الرابع'], QUARTERS: ['الربع الأول', 'الربع الثاني', 'الربع الثالث', 'الربع الرابع'], AMPMS: ['ص', 'م'], DATEFORMATS: ['EEEE، d MMMM، y', 'd MMMM، y', 'dd‏/MM‏/yyyy', 'd‏/M‏/yyyy'], TIMEFORMATS: ['zzzz h:mm:ss a', 'z h:mm:ss a', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 5, WEEKENDRANGE: [3, 4], FIRSTWEEKCUTOFFDAY: 4 }; /** * Date/time formatting symbols for locale ar_QA. */ goog.i18n.DateTimeSymbols_ar_QA = { ZERODIGIT: 0x0660, ERAS: ['ق.م', 'م'], ERANAMES: ['قبل الميلاد', 'ميلادي'], NARROWMONTHS: ['ي', 'ف', 'م', 'أ', 'و', 'ن', 'ل', 'غ', 'س', 'ك', 'ب', 'د'], STANDALONENARROWMONTHS: ['ي', 'ف', 'م', 'أ', 'و', 'ن', 'ل', 'غ', 'س', 'ك', 'ب', 'د'], MONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], STANDALONEMONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], SHORTMONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], STANDALONESHORTMONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], WEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], STANDALONEWEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], SHORTWEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], STANDALONESHORTWEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], NARROWWEEKDAYS: ['ح', 'ن', 'ث', 'ر', 'خ', 'ج', 'س'], STANDALONENARROWWEEKDAYS: ['ح', 'ن', 'ث', 'ر', 'خ', 'ج', 'س'], SHORTQUARTERS: ['الربع الأول', 'الربع الثاني', 'الربع الثالث', 'الربع الرابع'], QUARTERS: ['الربع الأول', 'الربع الثاني', 'الربع الثالث', 'الربع الرابع'], AMPMS: ['ص', 'م'], DATEFORMATS: ['EEEE، d MMMM، y', 'd MMMM، y', 'dd‏/MM‏/yyyy', 'd‏/M‏/yyyy'], TIMEFORMATS: ['zzzz h:mm:ss a', 'z h:mm:ss a', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 5, WEEKENDRANGE: [4, 5], FIRSTWEEKCUTOFFDAY: 4 }; /** * Date/time formatting symbols for locale ar_SA. */ goog.i18n.DateTimeSymbols_ar_SA = { ZERODIGIT: 0x0660, ERAS: ['ق.م', 'م'], ERANAMES: ['قبل الميلاد', 'ميلادي'], NARROWMONTHS: ['ي', 'ف', 'م', 'أ', 'و', 'ن', 'ل', 'غ', 'س', 'ك', 'ب', 'د'], STANDALONENARROWMONTHS: ['ي', 'ف', 'م', 'أ', 'و', 'ن', 'ل', 'غ', 'س', 'ك', 'ب', 'د'], MONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], STANDALONEMONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], SHORTMONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], STANDALONESHORTMONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], WEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], STANDALONEWEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], SHORTWEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], STANDALONESHORTWEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], NARROWWEEKDAYS: ['ح', 'ن', 'ث', 'ر', 'خ', 'ج', 'س'], STANDALONENARROWWEEKDAYS: ['ح', 'ن', 'ث', 'ر', 'خ', 'ج', 'س'], SHORTQUARTERS: ['الربع الأول', 'الربع الثاني', 'الربع الثالث', 'الربع الرابع'], QUARTERS: ['الربع الأول', 'الربع الثاني', 'الربع الثالث', 'الربع الرابع'], AMPMS: ['ص', 'م'], DATEFORMATS: ['EEEE، d MMMM، y', 'd MMMM، y', 'dd‏/MM‏/yyyy', 'd‏/M‏/yyyy'], TIMEFORMATS: ['zzzz h:mm:ss a', 'z h:mm:ss a', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 5, WEEKENDRANGE: [3, 4], FIRSTWEEKCUTOFFDAY: 4 }; /** * Date/time formatting symbols for locale ar_SD. */ goog.i18n.DateTimeSymbols_ar_SD = { ZERODIGIT: 0x0660, ERAS: ['ق.م', 'م'], ERANAMES: ['قبل الميلاد', 'ميلادي'], NARROWMONTHS: ['ي', 'ف', 'م', 'أ', 'و', 'ن', 'ل', 'غ', 'س', 'ك', 'ب', 'د'], STANDALONENARROWMONTHS: ['ي', 'ف', 'م', 'أ', 'و', 'ن', 'ل', 'غ', 'س', 'ك', 'ب', 'د'], MONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], STANDALONEMONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], SHORTMONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], STANDALONESHORTMONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], WEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], STANDALONEWEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], SHORTWEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], STANDALONESHORTWEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], NARROWWEEKDAYS: ['ح', 'ن', 'ث', 'ر', 'خ', 'ج', 'س'], STANDALONENARROWWEEKDAYS: ['ح', 'ن', 'ث', 'ر', 'خ', 'ج', 'س'], SHORTQUARTERS: ['الربع الأول', 'الربع الثاني', 'الربع الثالث', 'الربع الرابع'], QUARTERS: ['الربع الأول', 'الربع الثاني', 'الربع الثالث', 'الربع الرابع'], AMPMS: ['ص', 'م'], DATEFORMATS: ['EEEE، d MMMM، y', 'd MMMM، y', 'dd‏/MM‏/yyyy', 'd‏/M‏/yyyy'], TIMEFORMATS: ['zzzz h:mm:ss a', 'z h:mm:ss a', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 5, WEEKENDRANGE: [4, 5], FIRSTWEEKCUTOFFDAY: 4 }; /** * Date/time formatting symbols for locale ar_SY. */ goog.i18n.DateTimeSymbols_ar_SY = { ZERODIGIT: 0x0660, ERAS: ['ق.م', 'م'], ERANAMES: ['قبل الميلاد', 'ميلادي'], NARROWMONTHS: ['ي', 'ف', 'م', 'أ', 'و', 'ن', 'ل', 'غ', 'س', 'ك', 'ب', 'د'], STANDALONENARROWMONTHS: ['ي', 'ف', 'م', 'أ', 'و', 'ن', 'ل', 'غ', 'س', 'ك', 'ب', 'د'], MONTHS: ['كانون الثاني', 'شباط', 'آذار', 'نيسان', 'أيار', 'حزيران', 'تموز', 'آب', 'أيلول', 'تشرين الأول', 'تشرين الثاني', 'كانون الأول'], STANDALONEMONTHS: ['كانون الثاني', 'شباط', 'آذار', 'نيسان', 'أيار', 'حزيران', 'تموز', 'آب', 'أيلول', 'تشرين الأول', 'تشرين الثاني', 'كانون الأول'], SHORTMONTHS: ['كانون الثاني', 'شباط', 'آذار', 'نيسان', 'أيار', 'حزيران', 'تموز', 'آب', 'أيلول', 'تشرين الأول', 'تشرين الثاني', 'كانون الأول'], STANDALONESHORTMONTHS: ['كانون الثاني', 'شباط', 'آذار', 'نيسان', 'أيار', 'حزيران', 'تموز', 'آب', 'أيلول', 'تشرين الأول', 'تشرين الثاني', 'كانون الأول'], WEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], STANDALONEWEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], SHORTWEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], STANDALONESHORTWEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], NARROWWEEKDAYS: ['ح', 'ن', 'ث', 'ر', 'خ', 'ج', 'س'], STANDALONENARROWWEEKDAYS: ['ح', 'ن', 'ث', 'ر', 'خ', 'ج', 'س'], SHORTQUARTERS: ['الربع الأول', 'الربع الثاني', 'الربع الثالث', 'الربع الرابع'], QUARTERS: ['الربع الأول', 'الربع الثاني', 'الربع الثالث', 'الربع الرابع'], AMPMS: ['ص', 'م'], DATEFORMATS: ['EEEE، d MMMM، y', 'd MMMM، y', 'dd‏/MM‏/yyyy', 'd‏/M‏/yyyy'], TIMEFORMATS: ['zzzz h:mm:ss a', 'z h:mm:ss a', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 5, WEEKENDRANGE: [4, 5], FIRSTWEEKCUTOFFDAY: 4 }; /** * Date/time formatting symbols for locale ar_TN. */ goog.i18n.DateTimeSymbols_ar_TN = { ERAS: ['ق.م', 'م'], ERANAMES: ['قبل الميلاد', 'ميلادي'], NARROWMONTHS: ['ي', 'ف', 'م', 'أ', 'و', 'ن', 'ل', 'غ', 'س', 'ك', 'ب', 'د'], STANDALONENARROWMONTHS: ['ي', 'ف', 'م', 'أ', 'و', 'ن', 'ل', 'غ', 'س', 'ك', 'ب', 'د'], MONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], STANDALONEMONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], SHORTMONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], STANDALONESHORTMONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], WEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], STANDALONEWEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], SHORTWEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], STANDALONESHORTWEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], NARROWWEEKDAYS: ['ح', 'ن', 'ث', 'ر', 'خ', 'ج', 'س'], STANDALONENARROWWEEKDAYS: ['ح', 'ن', 'ث', 'ر', 'خ', 'ج', 'س'], SHORTQUARTERS: ['الربع الأول', 'الربع الثاني', 'الربع الثالث', 'الربع الرابع'], QUARTERS: ['الربع الأول', 'الربع الثاني', 'الربع الثالث', 'الربع الرابع'], AMPMS: ['ص', 'م'], DATEFORMATS: ['EEEE، d MMMM، y', 'd MMMM، y', 'yyyy/MM/dd', 'yyyy/M/d'], TIMEFORMATS: ['zzzz h:mm:ss a', 'z h:mm:ss a', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [4, 5], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale ar_YE. */ goog.i18n.DateTimeSymbols_ar_YE = { ZERODIGIT: 0x0660, ERAS: ['ق.م', 'م'], ERANAMES: ['قبل الميلاد', 'ميلادي'], NARROWMONTHS: ['ي', 'ف', 'م', 'أ', 'و', 'ن', 'ل', 'غ', 'س', 'ك', 'ب', 'د'], STANDALONENARROWMONTHS: ['ي', 'ف', 'م', 'أ', 'و', 'ن', 'ل', 'غ', 'س', 'ك', 'ب', 'د'], MONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], STANDALONEMONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], SHORTMONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], STANDALONESHORTMONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], WEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], STANDALONEWEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], SHORTWEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], STANDALONESHORTWEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], NARROWWEEKDAYS: ['ح', 'ن', 'ث', 'ر', 'خ', 'ج', 'س'], STANDALONENARROWWEEKDAYS: ['ح', 'ن', 'ث', 'ر', 'خ', 'ج', 'س'], SHORTQUARTERS: ['الربع الأول', 'الربع الثاني', 'الربع الثالث', 'الربع الرابع'], QUARTERS: ['الربع الأول', 'الربع الثاني', 'الربع الثالث', 'الربع الرابع'], AMPMS: ['ص', 'م'], DATEFORMATS: ['EEEE، d MMMM، y', 'd MMMM، y', 'dd‏/MM‏/yyyy', 'd‏/M‏/yyyy'], TIMEFORMATS: ['zzzz h:mm:ss a', 'z h:mm:ss a', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 5, WEEKENDRANGE: [3, 4], FIRSTWEEKCUTOFFDAY: 4 }; /** * Date/time formatting symbols for locale as. */ goog.i18n.DateTimeSymbols_as = { ZERODIGIT: 0x09E6, ERAS: ['BCE', 'CE'], ERANAMES: ['BCE', 'CE'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['জানুৱাৰী', 'ফেব্ৰুৱাৰী', 'মাৰ্চ', 'এপ্ৰিল', 'মে', 'জুন', 'জুলাই', 'আগষ্ট', 'ছেপ্তেম্বৰ', 'অক্টোবৰ', 'নৱেম্বৰ', 'ডিচেম্বৰ'], STANDALONEMONTHS: ['জানুৱাৰী', 'ফেব্ৰুৱাৰী', 'মাৰ্চ', 'এপ্ৰিল', 'মে', 'জুন', 'জুলাই', 'আগষ্ট', 'ছেপ্তেম্বৰ', 'অক্টোবৰ', 'নৱেম্বৰ', 'ডিচেম্বৰ'], SHORTMONTHS: ['জানু', 'ফেব্ৰু', 'মাৰ্চ', 'এপ্ৰিল', 'মে', 'জুন', 'জুলাই', 'আগ', 'সেপ্ট', 'অক্টো', 'নভে', 'ডিসে'], STANDALONESHORTMONTHS: ['জানু', 'ফেব্ৰু', 'মাৰ্চ', 'এপ্ৰিল', 'মে', 'জুন', 'জুলাই', 'আগ', 'সেপ্ট', 'অক্টো', 'নভে', 'ডিসে'], WEEKDAYS: ['দেওবাৰ', 'সোমবাৰ', 'মঙ্গলবাৰ', 'বুধবাৰ', 'বৃহষ্পতিবাৰ', 'শুক্ৰবাৰ', 'শনিবাৰ'], STANDALONEWEEKDAYS: ['দেওবাৰ', 'সোমবাৰ', 'মঙ্গলবাৰ', 'বুধবাৰ', 'বৃহষ্পতিবাৰ', 'শুক্ৰবাৰ', 'শনিবাৰ'], SHORTWEEKDAYS: ['ৰবি', 'সোম', 'মঙ্গল', 'বুধ', 'বৃহষ্পতি', 'শুক্ৰ', 'শনি'], STANDALONESHORTWEEKDAYS: ['ৰবি', 'সোম', 'মঙ্গল', 'বুধ', 'বৃহষ্পতি', 'শুক্ৰ', 'শনি'], NARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], STANDALONENARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], SHORTQUARTERS: ['প্ৰথম প্ৰহৰ', 'দ্বিতীয় প্ৰহৰ', 'তৃতীয় প্ৰহৰ', 'চতুৰ্থ প্ৰহৰ'], QUARTERS: ['প্ৰথম প্ৰহৰ', 'দ্বিতীয় প্ৰহৰ', 'তৃতীয় প্ৰহৰ', 'চতুৰ্থ প্ৰহৰ'], AMPMS: ['পূৰ্বাহ্ণ', 'অপৰাহ্ণ'], DATEFORMATS: ['EEEE, d MMMM, y', 'd MMMM, y', 'dd-MM-yyyy', 'd-M-yyyy'], TIMEFORMATS: ['h.mm.ss a zzzz', 'h.mm.ss a z', 'h.mm.ss a', 'h.mm. a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [6, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale as_IN. */ goog.i18n.DateTimeSymbols_as_IN = goog.i18n.DateTimeSymbols_as; /** * Date/time formatting symbols for locale asa. */ goog.i18n.DateTimeSymbols_asa = { ERAS: ['KM', 'BM'], ERANAMES: ['Kabla yakwe Yethu', 'Baada yakwe Yethu'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['Januari', 'Februari', 'Machi', 'Aprili', 'Mei', 'Juni', 'Julai', 'Agosti', 'Septemba', 'Oktoba', 'Novemba', 'Desemba'], STANDALONEMONTHS: ['Januari', 'Februari', 'Machi', 'Aprili', 'Mei', 'Juni', 'Julai', 'Agosti', 'Septemba', 'Oktoba', 'Novemba', 'Desemba'], SHORTMONTHS: ['Jan', 'Feb', 'Mac', 'Apr', 'Mei', 'Jun', 'Jul', 'Ago', 'Sep', 'Okt', 'Nov', 'Dec'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mac', 'Apr', 'Mei', 'Jun', 'Jul', 'Ago', 'Sep', 'Okt', 'Nov', 'Dec'], WEEKDAYS: ['Jumapili', 'Jumatatu', 'Jumanne', 'Jumatano', 'Alhamisi', 'Ijumaa', 'Jumamosi'], STANDALONEWEEKDAYS: ['Jumapili', 'Jumatatu', 'Jumanne', 'Jumatano', 'Alhamisi', 'Ijumaa', 'Jumamosi'], SHORTWEEKDAYS: ['Jpi', 'Jtt', 'Jnn', 'Jtn', 'Alh', 'Ijm', 'Jmo'], STANDALONESHORTWEEKDAYS: ['Jpi', 'Jtt', 'Jnn', 'Jtn', 'Alh', 'Ijm', 'Jmo'], NARROWWEEKDAYS: ['J', 'J', 'J', 'J', 'A', 'I', 'J'], STANDALONENARROWWEEKDAYS: ['J', 'J', 'J', 'J', 'A', 'I', 'J'], SHORTQUARTERS: ['R1', 'R2', 'R3', 'R4'], QUARTERS: ['Robo 1', 'Robo 2', 'Robo 3', 'Robo 4'], AMPMS: ['icheheavo', 'ichamthi'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yyyy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale asa_TZ. */ goog.i18n.DateTimeSymbols_asa_TZ = goog.i18n.DateTimeSymbols_asa; /** * Date/time formatting symbols for locale az. */ goog.i18n.DateTimeSymbols_az = { ERAS: ['e.ə.', 'b.e.'], ERANAMES: ['eramızdan əvvəl', 'bizim eramızın'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['Yanvar', 'Fevral', 'Mart', 'Aprel', 'May', 'İyun', 'İyul', 'Avqust', 'Sentyabr', 'Oktyabr', 'Noyabr', 'Dekabr'], STANDALONEMONTHS: ['Yanvar', 'Fevral', 'Mart', 'Aprel', 'May', 'İyun', 'İyul', 'Avqust', 'Sentyabr', 'Oktyabr', 'Noyabr', 'Dekabr'], SHORTMONTHS: ['yan', 'fev', 'mar', 'apr', 'may', 'iyn', 'iyl', 'avq', 'sen', 'okt', 'noy', 'dek'], STANDALONESHORTMONTHS: ['yan', 'fev', 'mar', 'apr', 'may', 'iyn', 'iyl', 'avq', 'sen', 'okt', 'noy', 'dek'], WEEKDAYS: ['bazar', 'bazar ertəsi', 'çərşənbə axşamı', 'çərşənbə', 'cümə axşamı', 'cümə', 'şənbə'], STANDALONEWEEKDAYS: ['bazar', 'bazar ertəsi', 'çərşənbə axşamı', 'çərşənbə', 'cümə axşamı', 'cümə', 'şənbə'], SHORTWEEKDAYS: ['B.', 'B.E.', 'Ç.A.', 'Ç.', 'C.A.', 'C', 'Ş.'], STANDALONESHORTWEEKDAYS: ['B.', 'B.E.', 'Ç.A.', 'Ç.', 'C.A.', 'C', 'Ş.'], NARROWWEEKDAYS: ['7', '1', '2', '3', '4', '5', '6'], STANDALONENARROWWEEKDAYS: ['7', '1', '2', '3', '4', '5', '6'], SHORTQUARTERS: ['1-ci kv.', '2-ci kv.', '3-cü kv.', '4-cü kv.'], QUARTERS: ['1-ci kvartal', '2-ci kvartal', '3-cü kvartal', '4-cü kvartal'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, d, MMMM, y', 'd MMMM , y', 'd MMM, y', 'yy/MM/dd'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale az_Cyrl. */ goog.i18n.DateTimeSymbols_az_Cyrl = { ERAS: ['e.ə.', 'b.e.'], ERANAMES: ['eramızdan əvvəl', 'bizim eramızın'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['јанвар', 'феврал', 'март', 'апрел', 'май', 'ијун', 'ијул', 'август', 'сентјабр', 'октјабр', 'нојабр', 'декабр'], STANDALONEMONTHS: ['јанвар', 'феврал', 'март', 'апрел', 'май', 'ијун', 'ијул', 'август', 'сентјабр', 'октјабр', 'нојабр', 'декабр'], SHORTMONTHS: ['yan', 'fev', 'mar', 'apr', 'may', 'iyn', 'iyl', 'avq', 'sen', 'okt', 'noy', 'dek'], STANDALONESHORTMONTHS: ['yan', 'fev', 'mar', 'apr', 'may', 'iyn', 'iyl', 'avq', 'sen', 'okt', 'noy', 'dek'], WEEKDAYS: ['базар', 'базар ертәси', 'чәршәнбә ахшамы', 'чәршәнбә', 'ҹүмә ахшамы', 'ҹүмә', 'шәнбә'], STANDALONEWEEKDAYS: ['базар', 'базар ертәси', 'чәршәнбә ахшамы', 'чәршәнбә', 'ҹүмә ахшамы', 'ҹүмә', 'шәнбә'], SHORTWEEKDAYS: ['B.', 'B.E.', 'Ç.A.', 'Ç.', 'C.A.', 'C', 'Ş.'], STANDALONESHORTWEEKDAYS: ['B.', 'B.E.', 'Ç.A.', 'Ç.', 'C.A.', 'C', 'Ş.'], NARROWWEEKDAYS: ['7', '1', '2', '3', '4', '5', '6'], STANDALONENARROWWEEKDAYS: ['7', '1', '2', '3', '4', '5', '6'], SHORTQUARTERS: ['1-ci kv.', '2-ci kv.', '3-cü kv.', '4-cü kv.'], QUARTERS: ['1-ci kvartal', '2-ci kvartal', '3-cü kvartal', '4-cü kvartal'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, d, MMMM, y', 'd MMMM , y', 'd MMM, y', 'yy/MM/dd'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale az_Cyrl_AZ. */ goog.i18n.DateTimeSymbols_az_Cyrl_AZ = goog.i18n.DateTimeSymbols_az_Cyrl; /** * Date/time formatting symbols for locale az_Latn. */ goog.i18n.DateTimeSymbols_az_Latn = goog.i18n.DateTimeSymbols_az; /** * Date/time formatting symbols for locale az_Latn_AZ. */ goog.i18n.DateTimeSymbols_az_Latn_AZ = goog.i18n.DateTimeSymbols_az; /** * Date/time formatting symbols for locale bas. */ goog.i18n.DateTimeSymbols_bas = { ERAS: ['b.Y.K', 'm.Y.K'], ERANAMES: ['bisū bi Yesù Krǐstò', 'i mbūs Yesù Krǐstò'], NARROWMONTHS: ['k', 'm', 'm', 'm', 'm', 'h', 'n', 'h', 'd', 'b', 'm', 'l'], STANDALONENARROWMONTHS: ['k', 'm', 'm', 'm', 'm', 'h', 'n', 'h', 'd', 'b', 'm', 'l'], MONTHS: ['Kɔndɔŋ', 'Màcɛ̂l', 'Màtùmb', 'Màtop', 'M̀puyɛ', 'Hìlòndɛ̀', 'Njèbà', 'Hìkaŋ', 'Dìpɔ̀s', 'Bìòôm', 'Màyɛsèp', 'Lìbuy li ńyèe'], STANDALONEMONTHS: ['Kɔndɔŋ', 'Màcɛ̂l', 'Màtùmb', 'Màtop', 'M̀puyɛ', 'Hìlòndɛ̀', 'Njèbà', 'Hìkaŋ', 'Dìpɔ̀s', 'Bìòôm', 'Màyɛsèp', 'Lìbuy li ńyèe'], SHORTMONTHS: ['kɔn', 'mac', 'mat', 'mto', 'mpu', 'hil', 'nje', 'hik', 'dip', 'bio', 'may', 'liɓ'], STANDALONESHORTMONTHS: ['kɔn', 'mac', 'mat', 'mto', 'mpu', 'hil', 'nje', 'hik', 'dip', 'bio', 'may', 'liɓ'], WEEKDAYS: ['ŋgwà nɔ̂y', 'ŋgwà njaŋgumba', 'ŋgwà ûm', 'ŋgwà ŋgê', 'ŋgwà mbɔk', 'ŋgwà kɔɔ', 'ŋgwà jôn'], STANDALONEWEEKDAYS: ['ŋgwà nɔ̂y', 'ŋgwà njaŋgumba', 'ŋgwà ûm', 'ŋgwà ŋgê', 'ŋgwà mbɔk', 'ŋgwà kɔɔ', 'ŋgwà jôn'], SHORTWEEKDAYS: ['nɔy', 'nja', 'uum', 'ŋge', 'mbɔ', 'kɔɔ', 'jon'], STANDALONESHORTWEEKDAYS: ['nɔy', 'nja', 'uum', 'ŋge', 'mbɔ', 'kɔɔ', 'jon'], NARROWWEEKDAYS: ['n', 'n', 'u', 'ŋ', 'm', 'k', 'j'], STANDALONENARROWWEEKDAYS: ['n', 'n', 'u', 'ŋ', 'm', 'k', 'j'], SHORTQUARTERS: ['K1s3', 'K2s3', 'K3s3', 'K4s3'], QUARTERS: ['Kèk bisu i soŋ iaâ', 'Kèk i ńyonos biɓaà i soŋ iaâ', 'Kèk i ńyonos biaâ i soŋ iaâ', 'Kèk i ńyonos binâ i soŋ iaâ'], AMPMS: ['I bikɛ̂glà', 'I ɓugajɔp'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM, y', 'd/M/yyyy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale bas_CM. */ goog.i18n.DateTimeSymbols_bas_CM = goog.i18n.DateTimeSymbols_bas; /** * Date/time formatting symbols for locale be. */ goog.i18n.DateTimeSymbols_be = { ERAS: ['да н.э.', 'н.э.'], ERANAMES: ['да н.э.', 'н.э.'], NARROWMONTHS: ['с', 'л', 'с', 'к', 'т', 'ч', 'л', 'ж', 'в', 'к', 'л', 'с'], STANDALONENARROWMONTHS: ['с', 'л', 'с', 'к', 'м', 'ч', 'л', 'ж', 'в', 'к', 'л', 'с'], MONTHS: ['студзень', 'люты', 'сакавік', 'красавік', 'май', 'чэрвень', 'ліпень', 'жнівень', 'верасень', 'кастрычнік', 'лістапад', 'снежань'], STANDALONEMONTHS: ['студзень', 'люты', 'сакавік', 'красавік', 'травень', 'чэрвень', 'ліпень', 'жнівень', 'верасень', 'кастрычнік', 'лістапад', 'снежань'], SHORTMONTHS: ['сту', 'лют', 'сак', 'кра', 'май', 'чэр', 'ліп', 'жні', 'вер', 'кас', 'ліс', 'сне'], STANDALONESHORTMONTHS: ['сту', 'лют', 'сак', 'кра', 'тра', 'чэр', 'ліп', 'жні', 'вер', 'кас', 'ліс', 'сне'], WEEKDAYS: ['нядзеля', 'панядзелак', 'аўторак', 'серада', 'чацвер', 'пятніца', 'субота'], STANDALONEWEEKDAYS: ['нядзеля', 'панядзелак', 'аўторак', 'серада', 'чацвер', 'пятніца', 'субота'], SHORTWEEKDAYS: ['нд', 'пн', 'аў', 'ср', 'чц', 'пт', 'сб'], STANDALONESHORTWEEKDAYS: ['нд', 'пн', 'аў', 'ср', 'чц', 'пт', 'сб'], NARROWWEEKDAYS: ['н', 'п', 'а', 'с', 'ч', 'п', 'с'], STANDALONENARROWWEEKDAYS: ['н', 'п', 'а', 'с', 'ч', 'п', 'с'], SHORTQUARTERS: ['1-шы кв.', '2-гі кв.', '3-ці кв.', '4-ты кв.'], QUARTERS: ['1-шы квартал', '2-гі квартал', '3-ці квартал', '4-ты квартал'], AMPMS: ['да палудня', 'пасля палудня'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd.M.yyyy', 'd.M.yy'], TIMEFORMATS: ['HH.mm.ss zzzz', 'HH.mm.ss z', 'HH.mm.ss', 'HH.mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale be_BY. */ goog.i18n.DateTimeSymbols_be_BY = goog.i18n.DateTimeSymbols_be; /** * Date/time formatting symbols for locale bem. */ goog.i18n.DateTimeSymbols_bem = { ERAS: ['BC', 'AD'], ERANAMES: ['Before Yesu', 'After Yesu'], NARROWMONTHS: ['J', 'F', 'M', 'E', 'M', 'J', 'J', 'O', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'E', 'M', 'J', 'J', 'O', 'S', 'O', 'N', 'D'], MONTHS: ['Januari', 'Februari', 'Machi', 'Epreo', 'Mei', 'Juni', 'Julai', 'Ogasti', 'Septemba', 'Oktoba', 'Novemba', 'Disemba'], STANDALONEMONTHS: ['Januari', 'Februari', 'Machi', 'Epreo', 'Mei', 'Juni', 'Julai', 'Ogasti', 'Septemba', 'Oktoba', 'Novemba', 'Disemba'], SHORTMONTHS: ['Jan', 'Feb', 'Mac', 'Epr', 'Mei', 'Jun', 'Jul', 'Oga', 'Sep', 'Okt', 'Nov', 'Dis'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mac', 'Epr', 'Mei', 'Jun', 'Jul', 'Oga', 'Sep', 'Okt', 'Nov', 'Dis'], WEEKDAYS: ['Pa Mulungu', 'Palichimo', 'Palichibuli', 'Palichitatu', 'Palichine', 'Palichisano', 'Pachibelushi'], STANDALONEWEEKDAYS: ['Pa Mulungu', 'Palichimo', 'Palichibuli', 'Palichitatu', 'Palichine', 'Palichisano', 'Pachibelushi'], SHORTWEEKDAYS: ['Pa Mulungu', 'Palichimo', 'Palichibuli', 'Palichitatu', 'Palichine', 'Palichisano', 'Pachibelushi'], STANDALONESHORTWEEKDAYS: ['Pa Mulungu', 'Palichimo', 'Palichibuli', 'Palichitatu', 'Palichine', 'Palichisano', 'Pachibelushi'], NARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], STANDALONENARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], AMPMS: ['uluchelo', 'akasuba'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yyyy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale bem_ZM. */ goog.i18n.DateTimeSymbols_bem_ZM = goog.i18n.DateTimeSymbols_bem; /** * Date/time formatting symbols for locale bez. */ goog.i18n.DateTimeSymbols_bez = { ERAS: ['KM', 'BM'], ERANAMES: ['Kabla ya Mtwaa', 'Baada ya Mtwaa'], NARROWMONTHS: ['H', 'V', 'D', 'T', 'H', 'S', 'S', 'N', 'T', 'K', 'K', 'K'], STANDALONENARROWMONTHS: ['H', 'V', 'D', 'T', 'H', 'S', 'S', 'N', 'T', 'K', 'K', 'K'], MONTHS: ['pa mwedzi gwa hutala', 'pa mwedzi gwa wuvili', 'pa mwedzi gwa wudatu', 'pa mwedzi gwa wutai', 'pa mwedzi gwa wuhanu', 'pa mwedzi gwa sita', 'pa mwedzi gwa saba', 'pa mwedzi gwa nane', 'pa mwedzi gwa tisa', 'pa mwedzi gwa kumi', 'pa mwedzi gwa kumi na moja', 'pa mwedzi gwa kumi na mbili'], STANDALONEMONTHS: ['pa mwedzi gwa hutala', 'pa mwedzi gwa wuvili', 'pa mwedzi gwa wudatu', 'pa mwedzi gwa wutai', 'pa mwedzi gwa wuhanu', 'pa mwedzi gwa sita', 'pa mwedzi gwa saba', 'pa mwedzi gwa nane', 'pa mwedzi gwa tisa', 'pa mwedzi gwa kumi', 'pa mwedzi gwa kumi na moja', 'pa mwedzi gwa kumi na mbili'], SHORTMONTHS: ['Hut', 'Vil', 'Dat', 'Tai', 'Han', 'Sit', 'Sab', 'Nan', 'Tis', 'Kum', 'Kmj', 'Kmb'], STANDALONESHORTMONTHS: ['Hut', 'Vil', 'Dat', 'Tai', 'Han', 'Sit', 'Sab', 'Nan', 'Tis', 'Kum', 'Kmj', 'Kmb'], WEEKDAYS: ['pa mulungu', 'pa shahuviluha', 'pa hivili', 'pa hidatu', 'pa hitayi', 'pa hihanu', 'pa shahulembela'], STANDALONEWEEKDAYS: ['pa mulungu', 'pa shahuviluha', 'pa hivili', 'pa hidatu', 'pa hitayi', 'pa hihanu', 'pa shahulembela'], SHORTWEEKDAYS: ['Mul', 'Vil', 'Hiv', 'Hid', 'Hit', 'Hih', 'Lem'], STANDALONESHORTWEEKDAYS: ['Mul', 'Vil', 'Hiv', 'Hid', 'Hit', 'Hih', 'Lem'], NARROWWEEKDAYS: ['M', 'J', 'H', 'H', 'H', 'W', 'J'], STANDALONENARROWWEEKDAYS: ['M', 'J', 'H', 'H', 'H', 'W', 'J'], SHORTQUARTERS: ['L1', 'L2', 'L3', 'L4'], QUARTERS: ['Lobo 1', 'Lobo 2', 'Lobo 3', 'Lobo 4'], AMPMS: ['pamilau', 'pamunyi'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yyyy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale bez_TZ. */ goog.i18n.DateTimeSymbols_bez_TZ = goog.i18n.DateTimeSymbols_bez; /** * Date/time formatting symbols for locale bg_BG. */ goog.i18n.DateTimeSymbols_bg_BG = { ERAS: ['пр. н. е.', 'от н. е.'], ERANAMES: ['пр.Хр.', 'сл.Хр.'], NARROWMONTHS: ['я', 'ф', 'м', 'а', 'м', 'ю', 'ю', 'а', 'с', 'о', 'н', 'д'], STANDALONENARROWMONTHS: ['я', 'ф', 'м', 'а', 'м', 'ю', 'ю', 'а', 'с', 'о', 'н', 'д'], MONTHS: ['януари', 'февруари', 'март', 'април', 'май', 'юни', 'юли', 'август', 'септември', 'октомври', 'ноември', 'декември'], STANDALONEMONTHS: ['януари', 'февруари', 'март', 'април', 'май', 'юни', 'юли', 'август', 'септември', 'октомври', 'ноември', 'декември'], SHORTMONTHS: ['ян.', 'февр.', 'март', 'апр.', 'май', 'юни', 'юли', 'авг.', 'септ.', 'окт.', 'ноем.', 'дек.'], STANDALONESHORTMONTHS: ['ян.', 'февр.', 'март', 'апр.', 'май', 'юни', 'юли', 'авг.', 'септ.', 'окт.', 'ноем.', 'дек.'], WEEKDAYS: ['неделя', 'понеделник', 'вторник', 'сряда', 'четвъртък', 'петък', 'събота'], STANDALONEWEEKDAYS: ['неделя', 'понеделник', 'вторник', 'сряда', 'четвъртък', 'петък', 'събота'], SHORTWEEKDAYS: ['нд', 'пн', 'вт', 'ср', 'чт', 'пт', 'сб'], STANDALONESHORTWEEKDAYS: ['нд', 'пн', 'вт', 'ср', 'чт', 'пт', 'сб'], NARROWWEEKDAYS: ['н', 'п', 'в', 'с', 'ч', 'п', 'с'], STANDALONENARROWWEEKDAYS: ['н', 'п', 'в', 'с', 'ч', 'п', 'с'], SHORTQUARTERS: ['I трим.', 'II трим.', 'III трим.', 'IV трим.'], QUARTERS: ['1-во тримесечие', '2-ро тримесечие', '3-то тримесечие', '4-то тримесечие'], AMPMS: ['пр. об.', 'сл. об.'], DATEFORMATS: ['dd MMMM y, EEEE', 'dd MMMM y', 'dd.MM.yyyy', 'dd.MM.yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale bm. */ goog.i18n.DateTimeSymbols_bm = { ERAS: ['J.-C. ɲɛ', 'ni J.-C.'], ERANAMES: ['jezu krisiti ɲɛ', 'jezu krisiti minkɛ'], NARROWMONTHS: ['Z', 'F', 'M', 'A', 'M', 'Z', 'Z', 'U', 'S', 'Ɔ', 'N', 'D'], STANDALONENARROWMONTHS: ['Z', 'F', 'M', 'A', 'M', 'Z', 'Z', 'U', 'S', 'Ɔ', 'N', 'D'], MONTHS: ['zanwuye', 'feburuye', 'marisi', 'awirili', 'mɛ', 'zuwɛn', 'zuluye', 'uti', 'sɛtanburu', 'ɔkutɔburu', 'nowanburu', 'desanburu'], STANDALONEMONTHS: ['zanwuye', 'feburuye', 'marisi', 'awirili', 'mɛ', 'zuwɛn', 'zuluye', 'uti', 'sɛtanburu', 'ɔkutɔburu', 'nowanburu', 'desanburu'], SHORTMONTHS: ['zan', 'feb', 'nar', 'awi', 'mɛ', 'zuw', 'zul', 'uti', 'sɛt', 'ɔku', 'now', 'des'], STANDALONESHORTMONTHS: ['zan', 'feb', 'nar', 'awi', 'mɛ', 'zuw', 'zul', 'uti', 'sɛt', 'ɔku', 'now', 'des'], WEEKDAYS: ['kari', 'ntɛnɛ', 'tarata', 'araba', 'alamisa', 'juma', 'sibiri'], STANDALONEWEEKDAYS: ['kari', 'ntɛnɛ', 'tarata', 'araba', 'alamisa', 'juma', 'sibiri'], SHORTWEEKDAYS: ['kar', 'ntɛ', 'tar', 'ara', 'ala', 'jum', 'sib'], STANDALONESHORTWEEKDAYS: ['kar', 'ntɛ', 'tar', 'ara', 'ala', 'jum', 'sib'], NARROWWEEKDAYS: ['K', 'N', 'T', 'A', 'A', 'J', 'S'], STANDALONENARROWWEEKDAYS: ['K', 'N', 'T', 'A', 'A', 'J', 'S'], SHORTQUARTERS: ['KS1', 'KS2', 'KS3', 'KS4'], QUARTERS: ['kalo saba fɔlɔ', 'kalo saba filanan', 'kalo saba sabanan', 'kalo saba naaninan'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM, y', 'd/M/yyyy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale bm_ML. */ goog.i18n.DateTimeSymbols_bm_ML = goog.i18n.DateTimeSymbols_bm; /** * Date/time formatting symbols for locale bn_BD. */ goog.i18n.DateTimeSymbols_bn_BD = { ZERODIGIT: 0x09E6, ERAS: ['খৃষ্টপূর্ব', 'খৃষ্টাব্দ'], ERANAMES: ['খৃষ্টপূর্ব', 'খৃষ্টাব্দ'], NARROWMONTHS: ['জা', 'ফে', 'মা', 'এ', 'মে', 'জুন', 'জু', 'আ', 'সে', 'অ', 'ন', 'ডি'], STANDALONENARROWMONTHS: ['জা', 'ফে', 'মা', 'এ', 'মে', 'জুন', 'জু', 'আ', 'সে', 'অ', 'ন', 'ডি'], MONTHS: ['জানুয়ারী', 'ফেব্রুয়ারী', 'মার্চ', 'এপ্রিল', 'মে', 'জুন', 'জুলাই', 'আগস্ট', 'সেপ্টেম্বর', 'অক্টোবর', 'নভেম্বর', 'ডিসেম্বর'], STANDALONEMONTHS: ['জানুয়ারী', 'ফেব্রুয়ারী', 'মার্চ', 'এপ্রিল', 'মে', 'জুন', 'জুলাই', 'আগস্ট', 'সেপ্টেম্বর', 'অক্টোবর', 'নভেম্বর', 'ডিসেম্বর'], SHORTMONTHS: ['জানুয়ারী', 'ফেব্রুয়ারী', 'মার্চ', 'এপ্রিল', 'মে', 'জুন', 'জুলাই', 'আগস্ট', 'সেপ্টেম্বর', 'অক্টোবর', 'নভেম্বর', 'ডিসেম্বর'], STANDALONESHORTMONTHS: ['জানুয়ারী', 'ফেব্রুয়ারী', 'মার্চ', 'এপ্রিল', 'মে', 'জুন', 'জুলাই', 'আগস্ট', 'সেপ্টেম্বর', 'অক্টোবর', 'নভেম্বর', 'ডিসেম্বর'], WEEKDAYS: ['রবিবার', 'সোমবার', 'মঙ্গলবার', 'বুধবার', 'বৃহষ্পতিবার', 'শুক্রবার', 'শনিবার'], STANDALONEWEEKDAYS: ['রবিবার', 'সোমবার', 'মঙ্গলবার', 'বুধবার', 'বৃহষ্পতিবার', 'শুক্রবার', 'শনিবার'], SHORTWEEKDAYS: ['রবি', 'সোম', 'মঙ্গল', 'বুধ', 'বৃহস্পতি', 'শুক্র', 'শনি'], STANDALONESHORTWEEKDAYS: ['রবি', 'সোম', 'মঙ্গল', 'বুধ', 'বৃহস্পতি', 'শুক্র', 'শনি'], NARROWWEEKDAYS: ['র', 'সো', 'ম', 'বু', 'বৃ', 'শু', 'শ'], STANDALONENARROWWEEKDAYS: ['র', 'সো', 'ম', 'বু', 'বৃ', 'শু', 'শ'], SHORTQUARTERS: ['চতুর্থাংশ ১', 'চতুর্থাংশ ২', 'চতুর্থাংশ ৩', 'চতুর্থাংশ ৪'], QUARTERS: ['প্রথম চতুর্থাংশ', 'দ্বিতীয় চতুর্থাংশ', 'তৃতীয় চতুর্থাংশ', 'চতুর্থ চতুর্থাংশ'], AMPMS: ['am', 'pm'], DATEFORMATS: ['EEEE, d MMMM, y', 'd MMMM, y', 'd MMM, y', 'd/M/yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 4, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale bn_IN. */ goog.i18n.DateTimeSymbols_bn_IN = { ZERODIGIT: 0x09E6, ERAS: ['খৃষ্টপূর্ব', 'খৃষ্টাব্দ'], ERANAMES: ['খৃষ্টপূর্ব', 'খৃষ্টাব্দ'], NARROWMONTHS: ['জা', 'ফে', 'মা', 'এ', 'মে', 'জুন', 'জু', 'আ', 'সে', 'অ', 'ন', 'ডি'], STANDALONENARROWMONTHS: ['জা', 'ফে', 'মা', 'এ', 'মে', 'জুন', 'জু', 'আ', 'সে', 'অ', 'ন', 'ডি'], MONTHS: ['জানুয়ারী', 'ফেব্রুয়ারী', 'মার্চ', 'এপ্রিল', 'মে', 'জুন', 'জুলাই', 'আগস্ট', 'সেপ্টেম্বর', 'অক্টোবর', 'নভেম্বর', 'ডিসেম্বর'], STANDALONEMONTHS: ['জানুয়ারী', 'ফেব্রুয়ারী', 'মার্চ', 'এপ্রিল', 'মে', 'জুন', 'জুলাই', 'আগস্ট', 'সেপ্টেম্বর', 'অক্টোবর', 'নভেম্বর', 'ডিসেম্বর'], SHORTMONTHS: ['জানুয়ারী', 'ফেব্রুয়ারী', 'মার্চ', 'এপ্রিল', 'মে', 'জুন', 'জুলাই', 'আগস্ট', 'সেপ্টেম্বর', 'অক্টোবর', 'নভেম্বর', 'ডিসেম্বর'], STANDALONESHORTMONTHS: ['জানুয়ারী', 'ফেব্রুয়ারী', 'মার্চ', 'এপ্রিল', 'মে', 'জুন', 'জুলাই', 'আগস্ট', 'সেপ্টেম্বর', 'অক্টোবর', 'নভেম্বর', 'ডিসেম্বর'], WEEKDAYS: ['রবিবার', 'সোমবার', 'মঙ্গলবার', 'বুধবার', 'বৃহষ্পতিবার', 'শুক্রবার', 'শনিবার'], STANDALONEWEEKDAYS: ['রবিবার', 'সোমবার', 'মঙ্গলবার', 'বুধবার', 'বৃহষ্পতিবার', 'শুক্রবার', 'শনিবার'], SHORTWEEKDAYS: ['রবি', 'সোম', 'মঙ্গল', 'বুধ', 'বৃহস্পতি', 'শুক্র', 'শনি'], STANDALONESHORTWEEKDAYS: ['রবি', 'সোম', 'মঙ্গল', 'বুধ', 'বৃহস্পতি', 'শুক্র', 'শনি'], NARROWWEEKDAYS: ['র', 'সো', 'ম', 'বু', 'বৃ', 'শু', 'শ'], STANDALONENARROWWEEKDAYS: ['র', 'সো', 'ম', 'বু', 'বৃ', 'শু', 'শ'], SHORTQUARTERS: ['ত্রৈমাসিক', 'ষাণ্মাসিক', 'চতুর্থাংশ ৩', 'বার্ষিক'], QUARTERS: ['ত্রৈমাসিক', 'ষাণ্মাসিক', 'তৃতীয় চতুর্থাংশ', 'বার্ষিক'], AMPMS: ['am', 'pm'], DATEFORMATS: ['EEEE, d MMMM, y', 'd MMMM, y', 'd MMM, y', 'd/M/yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [6, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale bo. */ goog.i18n.DateTimeSymbols_bo = { ERAS: ['སྤྱི་ལོ་སྔོན།', 'སྤྱི་ལོ།'], ERANAMES: ['སྤྱི་ལོ་སྔོན།', 'སྤྱི་ལོ།'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['ཟླ་བ་དང་པོ་', 'ཟླ་བ་གཉིས་པ་', 'ཟླ་བ་སུམ་པ་', 'ཟླ་བ་བཞི་པ་', 'ཟླ་བ་ལྔ་པ་', 'ཟླ་བ་དྲུག་པ་', 'ཟླ་བ་བདུན་པ་', 'ཟླ་བ་བརྒྱད་པ་', 'ཟླ་བ་དགུ་པ་', 'ཟླ་བ་བཅུ་པ་', 'ཟླ་བ་བཅུ་གཅིག་པ་', 'ཟླ་བ་བཅུ་གཉིས་པ་'], STANDALONEMONTHS: ['ཟླ་བ་དང་པོ་', 'ཟླ་བ་གཉིས་པ་', 'ཟླ་བ་སུམ་པ་', 'ཟླ་བ་བཞི་པ་', 'ཟླ་བ་ལྔ་པ་', 'ཟླ་བ་དྲུག་པ་', 'ཟླ་བ་བདུན་པ་', 'ཟླ་བ་བརྒྱད་པ་', 'ཟླ་བ་དགུ་པ་', 'ཟླ་བ་བཅུ་པ་', 'ཟླ་བ་བཅུ་གཅིག་པ་', 'ཟླ་བ་བཅུ་གཉིས་པ་'], SHORTMONTHS: ['ཟླ་༡', 'ཟླ་༢', 'ཟླ་༣', 'ཟླ་༤', 'ཟླ་༥', 'ཟླ་༦', 'ཟླ་༧', 'ཟླ་༨', 'ཟླ་༩', 'ཟླ་༡༠', 'ཟླ་༡༡', 'ཟླ་༡༢'], STANDALONESHORTMONTHS: ['ཟླ་༡', 'ཟླ་༢', 'ཟླ་༣', 'ཟླ་༤', 'ཟླ་༥', 'ཟླ་༦', 'ཟླ་༧', 'ཟླ་༨', 'ཟླ་༩', 'ཟླ་༡༠', 'ཟླ་༡༡', 'ཟླ་༡༢'], WEEKDAYS: ['གཟའ་ཉི་མ་', 'གཟའ་ཟླ་བ་', 'གཟའ་མིག་དམར་', 'གཟའ་ཧླག་པ་', 'གཟའ་ཕུར་བུ་', 'གཟའ་སངས་', 'གཟའ་སྤེན་པ་'], STANDALONEWEEKDAYS: ['གཟའ་ཉི་མ་', 'གཟའ་ཟླ་བ་', 'གཟའ་མིག་དམར་', 'གཟའ་ལྷག་པ་', 'གཟའ་ཕུར་བུ་', 'གཟའ་པ་སངས་', 'གཟའ་སྤེན་པ་'], SHORTWEEKDAYS: ['ཉི་མ་', 'ཟླ་བ་', 'མིག་དམར་', 'ཧླག་པ་', 'ཕུར་བུ་', 'སངས་', 'སྤེན་པ་'], STANDALONESHORTWEEKDAYS: ['ཉི་མ་', 'ཟླ་བ་', 'མིག་དམར་', 'ལྷག་པ་', 'ཕུར་བུ་', 'པ་སངས་', 'སྤེན་པ་'], NARROWWEEKDAYS: ['ཉི', 'ཟླ', 'མི', 'ཧླག', 'ཕུ', 'ས', 'སྤེ'], STANDALONENARROWWEEKDAYS: ['ཉི', 'ཟླ', 'མི', 'ཧླ', 'ཕུ', 'ས', 'སྤེ'], SHORTQUARTERS: ['དུས་ཚིགས་དང་པོ།', 'དུས་ཚིགས་གཉིས་པ།', '་དུས་ཚིགས་གསུམ་པ།', 'དུས་ཚིགས་བཞི་པ།'], QUARTERS: ['དུས་ཚིགས་དང་པོ།', 'དུས་ཚིགས་གཉིས་པ།', '་དུས་ཚིགས་གསུམ་པ།', 'དུས་ཚིགས་བཞི་པ།'], AMPMS: ['སྔ་དྲོ་', 'ཕྱི་དྲོ་'], DATEFORMATS: ['EEEE, y MMMM dd', 'སྦྱི་ལོ་y MMMMའི་ཙེས་dད', 'y ལོ་འི་MMMཙེས་d', 'yyyy-MM-dd'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale bo_CN. */ goog.i18n.DateTimeSymbols_bo_CN = goog.i18n.DateTimeSymbols_bo; /** * Date/time formatting symbols for locale bo_IN. */ goog.i18n.DateTimeSymbols_bo_IN = goog.i18n.DateTimeSymbols_bo; /** * Date/time formatting symbols for locale br. */ goog.i18n.DateTimeSymbols_br = { ERAS: ['BCE', 'CE'], ERANAMES: ['BCE', 'CE'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['Genver', 'Cʼhwevrer', 'Meurzh', 'Ebrel', 'Mae', 'Mezheven', 'Gouere', 'Eost', 'Gwengolo', 'Here', 'Du', 'Kerzu'], STANDALONEMONTHS: ['Genver', 'Cʼhwevrer', 'Meurzh', 'Ebrel', 'Mae', 'Mezheven', 'Gouere', 'Eost', 'Gwengolo', 'Here', 'Du', 'Kerzu'], SHORTMONTHS: ['Gen', 'Cʼhwe', 'Meur', 'Ebr', 'Mae', 'Mezh', 'Goue', 'Eost', 'Gwen', 'Here', 'Du', 'Ker'], STANDALONESHORTMONTHS: ['Gen', 'Cʼhwe', 'Meur', 'Ebr', 'Mae', 'Mezh', 'Goue', 'Eost', 'Gwen', 'Here', 'Du', 'Ker'], WEEKDAYS: ['Sul', 'Lun', 'Meurzh', 'Mercʼher', 'Yaou', 'Gwener', 'Sadorn'], STANDALONEWEEKDAYS: ['Sul', 'Lun', 'Meurzh', 'Mercʼher', 'Yaou', 'Gwener', 'Sadorn'], SHORTWEEKDAYS: ['sul', 'lun', 'meu.', 'mer.', 'yaou', 'gwe.', 'sad.'], STANDALONESHORTWEEKDAYS: ['sul', 'lun', 'meu.', 'mer.', 'yaou', 'gwe.', 'sad.'], NARROWWEEKDAYS: ['su', 'lu', 'mz', 'mc', 'ya', 'gw', 'sa'], STANDALONENARROWWEEKDAYS: ['su', 'lu', 'mz', 'mc', 'ya', 'gw', 'sa'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, y MMMM dd', 'y MMMM d', 'y MMM d', 'yyyy-MM-dd'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale br_FR. */ goog.i18n.DateTimeSymbols_br_FR = goog.i18n.DateTimeSymbols_br; /** * Date/time formatting symbols for locale brx. */ goog.i18n.DateTimeSymbols_brx = { ERAS: ['ईसा.पूर्व', 'सन'], ERANAMES: ['ईसा.पूर्व', 'सन'], NARROWMONTHS: ['ज', 'फे', 'मा', 'ए', 'मे', 'जु', 'जु', 'आ', 'से', 'अ', 'न', 'दि'], STANDALONENARROWMONTHS: ['ज', 'फे', 'मा', 'ए', 'मे', 'जु', 'जु', 'आ', 'से', 'अ', 'न', 'दि'], MONTHS: ['जानुवारी', 'फेब्रुवारी', 'मार्स', 'एफ्रिल', 'मे', 'जुन', 'जुलाइ', 'आगस्थ', 'सेबथेज्ब़र', 'अखथबर', 'नबेज्ब़र', 'दिसेज्ब़र'], STANDALONEMONTHS: ['जानुवारी', 'फेब्रुवारी', 'मार्स', 'एफ्रिल', 'मे', 'जुन', 'जुलाइ', 'आगस्थ', 'सेबथेज्ब़र', 'अखथबर', 'नबेज्ब़र', 'दिसेज्ब़र'], SHORTMONTHS: ['जानुवारी', 'फेब्रुवारी', 'मार्स', 'एफ्रिल', 'मे', 'जुन', 'जुलाइ', 'आगस्थ', 'सेबथेज्ब़र', 'अखथबर', 'नबेज्ब़र', 'दिसेज्ब़र'], STANDALONESHORTMONTHS: ['जानुवारी', 'फेब्रुवारी', 'मार्स', 'एफ्रिल', 'मे', 'जुन', 'जुलाइ', 'आगस्थ', 'सेबथेज्ब़र', 'अखथबर', 'नबेज्ब़र', 'दिसेज्ब़र'], WEEKDAYS: ['रबिबार', 'समबार', 'मंगलबार', 'बुदबार', 'बिसथिबार', 'सुखुरबार', 'सुनिबार'], STANDALONEWEEKDAYS: ['रबिबार', 'समबार', 'मंगलबार', 'बुदबार', 'बिसथिबार', 'सुखुरबार', 'सुनिबार'], SHORTWEEKDAYS: ['रबि', 'सम', 'मंगल', 'बुद', 'बिसथि', 'सुखुर', 'सुनि'], STANDALONESHORTWEEKDAYS: ['रबि', 'सम', 'मंगल', 'बुद', 'बिसथि', 'सुखुर', 'सुनि'], NARROWWEEKDAYS: ['र', 'स', 'मं', 'बु', 'बि', 'सु', 'सु'], STANDALONENARROWWEEKDAYS: ['र', 'स', 'मं', 'बु', 'बि', 'सु', 'सु'], SHORTQUARTERS: [ 'सिथासे/खोन्दोसे/बाहागोसे', 'खावसे/खोन्दोनै/बाहागोनै', 'खावथाम/खोन्दोथाम/बाहागोथाम', 'खावब्रै/खोन्दोब्रै/फुरा/आबुं'], QUARTERS: [ 'सिथासे/खोन्दोसे/बाहागोसे', 'खावसे/खोन्दोनै/बाहागोनै', 'खावथाम/खोन्दोथाम/बाहागोथाम', 'खावब्रै/खोन्दोब्रै/फुरा/आबुं'], AMPMS: ['फुं', 'बेलासे'], DATEFORMATS: ['EEEE, MMMM d, y', 'MMMM d, y', 'MMM d, y', 'M/d/yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale brx_IN. */ goog.i18n.DateTimeSymbols_brx_IN = goog.i18n.DateTimeSymbols_brx; /** * Date/time formatting symbols for locale bs. */ goog.i18n.DateTimeSymbols_bs = { ERAS: ['p. n. e.', 'n. e'], ERANAMES: ['Pre nove ere', 'Nove ere'], NARROWMONTHS: ['j', 'f', 'm', 'a', 'm', 'j', 'j', 'a', 's', 'o', 'n', 'd'], STANDALONENARROWMONTHS: ['j', 'f', 'm', 'a', 'm', 'j', 'j', 'a', 's', 'o', 'n', 'd'], MONTHS: ['januar', 'februar', 'mart', 'april', 'maj', 'juni', 'juli', 'avgust', 'septembar', 'oktobar', 'novembar', 'decembar'], STANDALONEMONTHS: ['januar', 'februar', 'mart', 'april', 'maj', 'juni', 'juli', 'avgust', 'septembar', 'oktobar', 'novembar', 'decembar'], SHORTMONTHS: ['jan', 'feb', 'mar', 'apr', 'maj', 'jun', 'jul', 'avg', 'sep', 'okt', 'nov', 'dec'], STANDALONESHORTMONTHS: ['jan', 'feb', 'mar', 'apr', 'maj', 'jun', 'jul', 'avg', 'sep', 'okt', 'nov', 'dec'], WEEKDAYS: ['nedjelja', 'ponedjeljak', 'utorak', 'srijeda', 'četvrtak', 'petak', 'subota'], STANDALONEWEEKDAYS: ['nedjelja', 'ponedjeljak', 'utorak', 'srijeda', 'četvrtak', 'petak', 'subota'], SHORTWEEKDAYS: ['ned', 'pon', 'uto', 'sri', 'čet', 'pet', 'sub'], STANDALONESHORTWEEKDAYS: ['ned', 'pon', 'uto', 'sri', 'čet', 'pet', 'sub'], NARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], STANDALONENARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], SHORTQUARTERS: ['K1', 'K2', 'K3', 'K4'], QUARTERS: ['Prvi kvartal', 'Drugi kvartal', 'Treći kvartal', 'Četvrti kvartal'], AMPMS: ['pre podne', 'popodne'], DATEFORMATS: ['EEEE, dd. MMMM y.', 'dd. MMMM y.', 'dd.MM.y.', 'dd.MM.yy.'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale bs_BA. */ goog.i18n.DateTimeSymbols_bs_BA = goog.i18n.DateTimeSymbols_bs; /** * Date/time formatting symbols for locale byn. */ goog.i18n.DateTimeSymbols_byn = { ERAS: ['ይጅ', 'ኣድ'], ERANAMES: ['ይጅ', 'ኣድ'], NARROWMONTHS: ['ል', 'ካ', 'ክ', 'ፋ', 'ክ', 'ም', 'ኰ', 'ማ', 'ያ', 'መ', 'ም', 'ተ'], STANDALONENARROWMONTHS: ['ል', 'ካ', 'ክ', 'ፋ', 'ክ', 'ም', 'ኰ', 'ማ', 'ያ', 'መ', 'ም', 'ተ'], MONTHS: ['ልደትሪ', 'ካብኽብቲ', 'ክብላ', 'ፋጅኺሪ', 'ክቢቅሪ', 'ምኪኤል ትጟኒሪ', 'ኰርኩ', 'ማርያም ትሪ', 'ያኸኒ መሳቅለሪ', 'መተሉ', 'ምኪኤል መሽወሪ', 'ተሕሳስሪ'], STANDALONEMONTHS: ['ልደትሪ', 'ካብኽብቲ', 'ክብላ', 'ፋጅኺሪ', 'ክቢቅሪ', 'ምኪኤል ትጟኒሪ', 'ኰርኩ', 'ማርያም ትሪ', 'ያኸኒ መሳቅለሪ', 'መተሉ', 'ምኪኤል መሽወሪ', 'ተሕሳስሪ'], SHORTMONTHS: ['ልደት', 'ካብኽ', 'ክብላ', 'ፋጅኺ', 'ክቢቅ', 'ም/ት', 'ኰር', 'ማርያ', 'ያኸኒ', 'መተሉ', 'ም/ም', 'ተሕሳ'], STANDALONESHORTMONTHS: ['ልደት', 'ካብኽ', 'ክብላ', 'ፋጅኺ', 'ክቢቅ', 'ም/ት', 'ኰር', 'ማርያ', 'ያኸኒ', 'መተሉ', 'ም/ም', 'ተሕሳ'], WEEKDAYS: ['ሰንበር ቅዳዅ', 'ሰኑ', 'ሰሊጝ', 'ለጓ ወሪ ለብዋ', 'ኣምድ', 'ኣርብ', 'ሰንበር ሽጓዅ'], STANDALONEWEEKDAYS: ['ሰንበር ቅዳዅ', 'ሰኑ', 'ሰሊጝ', 'ለጓ ወሪ ለብዋ', 'ኣምድ', 'ኣርብ', 'ሰንበር ሽጓዅ'], SHORTWEEKDAYS: ['ሰ/ቅ', 'ሰኑ', 'ሰሊጝ', 'ለጓ', 'ኣምድ', 'ኣርብ', 'ሰ/ሽ'], STANDALONESHORTWEEKDAYS: ['ሰ/ቅ', 'ሰኑ', 'ሰሊጝ', 'ለጓ', 'ኣምድ', 'ኣርብ', 'ሰ/ሽ'], NARROWWEEKDAYS: ['ሰ', 'ሰ', 'ሰ', 'ለ', 'ኣ', 'ኣ', 'ሰ'], STANDALONENARROWWEEKDAYS: ['ሰ', 'ሰ', 'ሰ', 'ለ', 'ኣ', 'ኣ', 'ሰ'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], AMPMS: ['ፋዱስ ጃብ', 'ፋዱስ ደምቢ'], DATEFORMATS: ['EEEE፡ dd MMMM ግርጋ y G', 'dd MMMM y', 'dd-MMM-y', 'dd/MM/yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale byn_ER. */ goog.i18n.DateTimeSymbols_byn_ER = goog.i18n.DateTimeSymbols_byn; /** * Date/time formatting symbols for locale ca_ES. */ goog.i18n.DateTimeSymbols_ca_ES = { ERAS: ['aC', 'dC'], ERANAMES: ['abans de Crist', 'després de Crist'], NARROWMONTHS: ['G', 'F', 'M', 'A', 'M', 'J', 'G', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['g', 'f', 'm', 'a', 'm', 'j', 'j', 'a', 's', 'o', 'n', 'd'], MONTHS: ['de gener', 'de febrer', 'de març', 'd’abril', 'de maig', 'de juny', 'de juliol', 'd’agost', 'de setembre', 'd’octubre', 'de novembre', 'de desembre'], STANDALONEMONTHS: ['gener', 'febrer', 'març', 'abril', 'maig', 'juny', 'juliol', 'agost', 'setembre', 'octubre', 'novembre', 'desembre'], SHORTMONTHS: ['de gen.', 'de febr.', 'de març', 'd’abr.', 'de maig', 'de juny', 'de jul.', 'd’ag.', 'de set.', 'd’oct.', 'de nov.', 'de des.'], STANDALONESHORTMONTHS: ['gen.', 'febr.', 'març', 'abr.', 'maig', 'juny', 'jul.', 'ag.', 'set.', 'oct.', 'nov.', 'des.'], WEEKDAYS: ['diumenge', 'dilluns', 'dimarts', 'dimecres', 'dijous', 'divendres', 'dissabte'], STANDALONEWEEKDAYS: ['Diumenge', 'Dilluns', 'Dimarts', 'Dimecres', 'Dijous', 'Divendres', 'Dissabte'], SHORTWEEKDAYS: ['dg.', 'dl.', 'dt.', 'dc.', 'dj.', 'dv.', 'ds.'], STANDALONESHORTWEEKDAYS: ['dg', 'dl', 'dt', 'dc', 'dj', 'dv', 'ds'], NARROWWEEKDAYS: ['G', 'l', 'T', 'C', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['g', 'l', 't', 'c', 'j', 'v', 's'], SHORTQUARTERS: ['1T', '2T', '3T', '4T'], QUARTERS: ['1r trimestre', '2n trimestre', '3r trimestre', '4t trimestre'], AMPMS: ['a.m.', 'p.m.'], DATEFORMATS: ['EEEE d MMMM \'de\' y', 'd MMMM \'de\' y', 'dd/MM/yyyy', 'dd/MM/yy'], TIMEFORMATS: ['H:mm:ss zzzz', 'H:mm:ss z', 'H:mm:ss', 'H:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale cgg. */ goog.i18n.DateTimeSymbols_cgg = { ERAS: ['BC', 'AD'], ERANAMES: ['Kurisito Atakaijire', 'Kurisito Yaijire'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['Okwokubanza', 'Okwakabiri', 'Okwakashatu', 'Okwakana', 'Okwakataana', 'Okwamukaaga', 'Okwamushanju', 'Okwamunaana', 'Okwamwenda', 'Okwaikumi', 'Okwaikumi na kumwe', 'Okwaikumi na ibiri'], STANDALONEMONTHS: ['Okwokubanza', 'Okwakabiri', 'Okwakashatu', 'Okwakana', 'Okwakataana', 'Okwamukaaga', 'Okwamushanju', 'Okwamunaana', 'Okwamwenda', 'Okwaikumi', 'Okwaikumi na kumwe', 'Okwaikumi na ibiri'], SHORTMONTHS: ['KBZ', 'KBR', 'KST', 'KKN', 'KTN', 'KMK', 'KMS', 'KMN', 'KMW', 'KKM', 'KNK', 'KNB'], STANDALONESHORTMONTHS: ['KBZ', 'KBR', 'KST', 'KKN', 'KTN', 'KMK', 'KMS', 'KMN', 'KMW', 'KKM', 'KNK', 'KNB'], WEEKDAYS: ['Sande', 'Orwokubanza', 'Orwakabiri', 'Orwakashatu', 'Orwakana', 'Orwakataano', 'Orwamukaaga'], STANDALONEWEEKDAYS: ['Sande', 'Orwokubanza', 'Orwakabiri', 'Orwakashatu', 'Orwakana', 'Orwakataano', 'Orwamukaaga'], SHORTWEEKDAYS: ['SAN', 'ORK', 'OKB', 'OKS', 'OKN', 'OKT', 'OMK'], STANDALONESHORTWEEKDAYS: ['SAN', 'ORK', 'OKB', 'OKS', 'OKN', 'OKT', 'OMK'], NARROWWEEKDAYS: ['S', 'K', 'R', 'S', 'N', 'T', 'M'], STANDALONENARROWWEEKDAYS: ['S', 'K', 'R', 'S', 'N', 'T', 'M'], SHORTQUARTERS: ['K1', 'K2', 'K3', 'K4'], QUARTERS: ['KWOTA 1', 'KWOTA 2', 'KWOTA 3', 'KWOTA 4'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yyyy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale cgg_UG. */ goog.i18n.DateTimeSymbols_cgg_UG = goog.i18n.DateTimeSymbols_cgg; /** * Date/time formatting symbols for locale chr_US. */ goog.i18n.DateTimeSymbols_chr_US = { ERAS: ['ᎤᏓᎷᎸ', 'ᎤᎶᏐᏅ'], ERANAMES: ['Ꮟ ᏥᏌ ᎾᏕᎲᏍᎬᎾ', 'ᎠᎩᏃᎮᎵᏓᏍᏗᏱ ᎠᏕᏘᏱᏍᎬ ᏱᎰᏩ ᏧᏓᏂᎸᎢᏍᏗ'], NARROWMONTHS: ['Ꭴ', 'Ꭷ', 'Ꭰ', 'Ꭷ', 'Ꭰ', 'Ꮥ', 'Ꭻ', 'Ꭶ', 'Ꮪ', 'Ꮪ', 'Ꮕ', 'Ꭴ'], STANDALONENARROWMONTHS: ['Ꭴ', 'Ꭷ', 'Ꭰ', 'Ꭷ', 'Ꭰ', 'Ꮥ', 'Ꭻ', 'Ꭶ', 'Ꮪ', 'Ꮪ', 'Ꮕ', 'Ꭴ'], MONTHS: ['ᎤᏃᎸᏔᏅ', 'ᎧᎦᎵ', 'ᎠᏅᏱ', 'ᎧᏬᏂ', 'ᎠᏂᏍᎬᏘ', 'ᏕᎭᎷᏱ', 'ᎫᏰᏉᏂ', 'ᎦᎶᏂ', 'ᏚᎵᏍᏗ', 'ᏚᏂᏅᏗ', 'ᏅᏓᏕᏆ', 'ᎤᏍᎩᏱ'], STANDALONEMONTHS: ['ᎤᏃᎸᏔᏅ', 'ᎧᎦᎵ', 'ᎠᏅᏱ', 'ᎧᏬᏂ', 'ᎠᏂᏍᎬᏘ', 'ᏕᎭᎷᏱ', 'ᎫᏰᏉᏂ', 'ᎦᎶᏂ', 'ᏚᎵᏍᏗ', 'ᏚᏂᏅᏗ', 'ᏅᏓᏕᏆ', 'ᎤᏍᎩᏱ'], SHORTMONTHS: ['ᎤᏃ', 'ᎧᎦ', 'ᎠᏅ', 'ᎧᏬ', 'ᎠᏂ', 'ᏕᎭ', 'ᎫᏰ', 'ᎦᎶ', 'ᏚᎵ', 'ᏚᏂ', 'ᏅᏓ', 'ᎤᏍ'], STANDALONESHORTMONTHS: ['ᎤᏃ', 'ᎧᎦ', 'ᎠᏅ', 'ᎧᏬ', 'ᎠᏂ', 'ᏕᎭ', 'ᎫᏰ', 'ᎦᎶ', 'ᏚᎵ', 'ᏚᏂ', 'ᏅᏓ', 'ᎤᏍ'], WEEKDAYS: ['ᎤᎾᏙᏓᏆᏍᎬ', 'ᎤᎾᏙᏓᏉᏅᎯ', 'ᏔᎵᏁᎢᎦ', 'ᏦᎢᏁᎢᎦ', 'ᏅᎩᏁᎢᎦ', 'ᏧᎾᎩᎶᏍᏗ', 'ᎤᎾᏙᏓᏈᏕᎾ'], STANDALONEWEEKDAYS: ['ᎤᎾᏙᏓᏆᏍᎬ', 'ᎤᎾᏙᏓᏉᏅᎯ', 'ᏔᎵᏁᎢᎦ', 'ᏦᎢᏁᎢᎦ', 'ᏅᎩᏁᎢᎦ', 'ᏧᎾᎩᎶᏍᏗ', 'ᎤᎾᏙᏓᏈᏕᎾ'], SHORTWEEKDAYS: ['ᏆᏍᎬ', 'ᏉᏅᎯ', 'ᏔᎵᏁ', 'ᏦᎢᏁ', 'ᏅᎩᏁ', 'ᏧᎾᎩ', 'ᏈᏕᎾ'], STANDALONESHORTWEEKDAYS: ['ᏆᏍᎬ', 'ᏉᏅᎯ', 'ᏔᎵᏁ', 'ᏦᎢᏁ', 'ᏅᎩᏁ', 'ᏧᎾᎩ', 'ᏈᏕᎾ'], NARROWWEEKDAYS: ['Ꮖ', 'Ꮙ', 'Ꮤ', 'Ꮶ', 'Ꮕ', 'Ꮷ', 'Ꭴ'], STANDALONENARROWWEEKDAYS: ['Ꮖ', 'Ꮙ', 'Ꮤ', 'Ꮶ', 'Ꮕ', 'Ꮷ', 'Ꭴ'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], AMPMS: ['ᏌᎾᎴ', 'ᏒᎯᏱᎢᏗᏢ'], DATEFORMATS: ['EEEE, MMMM d, y', 'MMMM d, y', 'MMM d, y', 'M/d/yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale ckb. */ goog.i18n.DateTimeSymbols_ckb = { ZERODIGIT: 0x0660, ERAS: ['پێش زاییین', 'ز'], ERANAMES: ['پێش زایین', 'زایینی'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', 'D'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', 'D'], MONTHS: ['کانوونی دووەم', 'شوبات', 'ئازار', 'نیسان', 'ئایار', 'حوزەیران', 'تەمووز', 'ئاب', 'ئەیلوول', 'تشرینی یەکەم', 'تشرینی دووەم', 'کانونی یەکەم'], STANDALONEMONTHS: ['کانوونی دووەم', 'شوبات', 'ئازار', 'نیسان', 'ئایار', 'حوزەیران', 'تەمووز', 'ئاب', 'ئەیلوول', 'تشرینی یەکەم', 'تشرینی دووەم', 'کانونی یەکەم'], SHORTMONTHS: ['کانوونی دووەم', 'شوبات', 'ئازار', 'نیسان', 'ئایار', 'حوزەیران', 'تەمووز', 'ئاب', 'ئەیلوول', 'تشرینی یەکەم', 'تشرینی دووەم', 'کانونی یەکەم'], STANDALONESHORTMONTHS: ['کانوونی دووەم', 'شوبات', 'ئازار', 'نیسان', 'ئایار', 'حوزەیران', 'تەمووز', 'ئاب', 'ئەیلوول', 'تشرینی یەکەم', 'تشرینی دووەم', 'کانونی یەکەم'], WEEKDAYS: ['یەکشەممە', 'دووشەممە', 'سێشەممە', 'چوارشەممە', 'پێنجشەممە', 'ھەینی', 'شەممە'], STANDALONEWEEKDAYS: ['یەکشەممە', 'دووشەممە', 'سێشەممە', 'چوارشەممە', 'پێنجشەممە', 'ھەینی', 'شەممە'], SHORTWEEKDAYS: ['یەکشەممە', 'دووشەممە', 'سێشەممە', 'چوارشەممە', 'پێنجشەممە', 'ھەینی', 'شەممە'], STANDALONESHORTWEEKDAYS: ['یەکشەممە', 'دووشەممە', 'سێشەممە', 'چوارشەممە', 'پێنجشەممە', 'ھەینی', 'شەممە'], NARROWWEEKDAYS: ['ی', 'د', 'س', 'چ', 'پ', 'ھ', 'ش'], STANDALONENARROWWEEKDAYS: ['ی', 'د', 'س', 'چ', 'پ', 'ھ', 'ش'], SHORTQUARTERS: ['چارەکی یەکەم', 'چارەکی دووەم', 'چارەکی سێەم', 'چارەکی چوارەم'], QUARTERS: ['چارەکی یەکەم', 'چارەکی دووەم', 'چارەکی سێەم', 'چارەکی چوارەم'], AMPMS: ['ب.ن', 'د.ن'], DATEFORMATS: ['EEEE, y MMMM dd', 'dی MMMMی y', 'y MMM d', 'yyyy-MM-dd'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 5, WEEKENDRANGE: [4, 5], FIRSTWEEKCUTOFFDAY: 4 }; /** * Date/time formatting symbols for locale ckb_Arab. */ goog.i18n.DateTimeSymbols_ckb_Arab = goog.i18n.DateTimeSymbols_ckb; /** * Date/time formatting symbols for locale ckb_Arab_IQ. */ goog.i18n.DateTimeSymbols_ckb_Arab_IQ = goog.i18n.DateTimeSymbols_ckb; /** * Date/time formatting symbols for locale ckb_Arab_IR. */ goog.i18n.DateTimeSymbols_ckb_Arab_IR = goog.i18n.DateTimeSymbols_ckb; /** * Date/time formatting symbols for locale ckb_IQ. */ goog.i18n.DateTimeSymbols_ckb_IQ = goog.i18n.DateTimeSymbols_ckb; /** * Date/time formatting symbols for locale ckb_IR. */ goog.i18n.DateTimeSymbols_ckb_IR = goog.i18n.DateTimeSymbols_ckb; /** * Date/time formatting symbols for locale ckb_Latn. */ goog.i18n.DateTimeSymbols_ckb_Latn = goog.i18n.DateTimeSymbols_ckb; /** * Date/time formatting symbols for locale ckb_Latn_IQ. */ goog.i18n.DateTimeSymbols_ckb_Latn_IQ = goog.i18n.DateTimeSymbols_ckb; /** * Date/time formatting symbols for locale cs_CZ. */ goog.i18n.DateTimeSymbols_cs_CZ = { ERAS: ['př. n. l.', 'n. l.'], ERANAMES: ['př. n. l.', 'n. l.'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['l', 'ú', 'b', 'd', 'k', 'č', 'č', 's', 'z', 'ř', 'l', 'p'], MONTHS: ['ledna', 'února', 'března', 'dubna', 'května', 'června', 'července', 'srpna', 'září', 'října', 'listopadu', 'prosince'], STANDALONEMONTHS: ['leden', 'únor', 'březen', 'duben', 'květen', 'červen', 'červenec', 'srpen', 'září', 'říjen', 'listopad', 'prosinec'], SHORTMONTHS: ['Led', 'Úno', 'Bře', 'Dub', 'Kvě', 'Čer', 'Čvc', 'Srp', 'Zář', 'Říj', 'Lis', 'Pro'], STANDALONESHORTMONTHS: ['1.', '2.', '3.', '4.', '5.', '6.', '7.', '8.', '9.', '10.', '11.', '12.'], WEEKDAYS: ['neděle', 'pondělí', 'úterý', 'středa', 'čtvrtek', 'pátek', 'sobota'], STANDALONEWEEKDAYS: ['neděle', 'pondělí', 'úterý', 'středa', 'čtvrtek', 'pátek', 'sobota'], SHORTWEEKDAYS: ['ne', 'po', 'út', 'st', 'čt', 'pá', 'so'], STANDALONESHORTWEEKDAYS: ['ne', 'po', 'út', 'st', 'čt', 'pá', 'so'], NARROWWEEKDAYS: ['N', 'P', 'Ú', 'S', 'Č', 'P', 'S'], STANDALONENARROWWEEKDAYS: ['N', 'P', 'Ú', 'S', 'Č', 'P', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['1. čtvrtletí', '2. čtvrtletí', '3. čtvrtletí', '4. čtvrtletí'], AMPMS: ['dop.', 'odp.'], DATEFORMATS: ['EEEE, d. MMMM y', 'd. MMMM y', 'd. M. yyyy', 'dd.MM.yy'], TIMEFORMATS: ['H:mm:ss zzzz', 'H:mm:ss z', 'H:mm:ss', 'H:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale cy_GB. */ goog.i18n.DateTimeSymbols_cy_GB = { ERAS: ['CC', 'OC'], ERANAMES: ['Cyn Crist', 'Oed Crist'], NARROWMONTHS: ['I', 'C', 'M', 'E', 'M', 'M', 'G', 'A', 'M', 'H', 'T', 'R'], STANDALONENARROWMONTHS: ['I', 'C', 'M', 'E', 'M', 'M', 'G', 'A', 'M', 'H', 'T', 'R'], MONTHS: ['Ionawr', 'Chwefror', 'Mawrth', 'Ebrill', 'Mai', 'Mehefin', 'Gorffenaf', 'Awst', 'Medi', 'Hydref', 'Tachwedd', 'Rhagfyr'], STANDALONEMONTHS: ['Ionawr', 'Chwefror', 'Mawrth', 'Ebrill', 'Mai', 'Mehefin', 'Gorffennaf', 'Awst', 'Medi', 'Hydref', 'Tachwedd', 'Rhagfyr'], SHORTMONTHS: ['Ion', 'Chwef', 'Mawrth', 'Ebrill', 'Mai', 'Meh', 'Gorff', 'Awst', 'Medi', 'Hyd', 'Tach', 'Rhag'], STANDALONESHORTMONTHS: ['Ion', 'Chwe', 'Maw', 'Ebr', 'Mai', 'Meh', 'Gor', 'Awst', 'Medi', 'Hyd', 'Tach', 'Rhag'], WEEKDAYS: ['Dydd Sul', 'Dydd Llun', 'Dydd Mawrth', 'Dydd Mercher', 'Dydd Iau', 'Dydd Gwener', 'Dydd Sadwrn'], STANDALONEWEEKDAYS: ['Dydd Sul', 'Dydd Llun', 'Dydd Mawrth', 'Dydd Mercher', 'Dydd Iau', 'Dydd Gwener', 'Dydd Sadwrn'], SHORTWEEKDAYS: ['Sul', 'Llun', 'Maw', 'Mer', 'Iau', 'Gwen', 'Sad'], STANDALONESHORTWEEKDAYS: ['Sul', 'Llun', 'Maw', 'Mer', 'Iau', 'Gwe', 'Sad'], NARROWWEEKDAYS: ['S', 'L', 'M', 'M', 'I', 'G', 'S'], STANDALONENARROWWEEKDAYS: ['S', 'L', 'M', 'M', 'I', 'G', 'S'], SHORTQUARTERS: ['Ch1', 'Ch2', 'Ch3', 'Ch4'], QUARTERS: ['Chwarter 1af', '2il chwarter', '3ydd chwarter', '4ydd chwarter'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yyyy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale da_DK. */ goog.i18n.DateTimeSymbols_da_DK = { ERAS: ['f.Kr.', 'e.Kr.'], ERANAMES: ['f.Kr.', 'e.Kr.'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['januar', 'februar', 'marts', 'april', 'maj', 'juni', 'juli', 'august', 'september', 'oktober', 'november', 'december'], STANDALONEMONTHS: ['januar', 'februar', 'marts', 'april', 'maj', 'juni', 'juli', 'august', 'september', 'oktober', 'november', 'december'], SHORTMONTHS: ['jan.', 'feb.', 'mar.', 'apr.', 'maj', 'jun.', 'jul.', 'aug.', 'sep.', 'okt.', 'nov.', 'dec.'], STANDALONESHORTMONTHS: ['jan', 'feb', 'mar', 'apr', 'maj', 'jun', 'jul', 'aug', 'sep', 'okt', 'nov', 'dec'], WEEKDAYS: ['søndag', 'mandag', 'tirsdag', 'onsdag', 'torsdag', 'fredag', 'lørdag'], STANDALONEWEEKDAYS: ['søndag', 'mandag', 'tirsdag', 'onsdag', 'torsdag', 'fredag', 'lørdag'], SHORTWEEKDAYS: ['søn', 'man', 'tir', 'ons', 'tor', 'fre', 'lør'], STANDALONESHORTWEEKDAYS: ['søn', 'man', 'tir', 'ons', 'tor', 'fre', 'lør'], NARROWWEEKDAYS: ['S', 'M', 'T', 'O', 'T', 'F', 'L'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'T', 'O', 'T', 'F', 'L'], SHORTQUARTERS: ['K1', 'K2', 'K3', 'K4'], QUARTERS: ['1. kvartal', '2. kvartal', '3. kvartal', '4. kvartal'], AMPMS: ['f.m.', 'e.m.'], DATEFORMATS: ['EEEE \'den\' d. MMMM y', 'd. MMM y', 'dd/MM/yyyy', 'dd/MM/yy'], TIMEFORMATS: ['HH.mm.ss zzzz', 'HH.mm.ss z', 'HH.mm.ss', 'HH.mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale dav. */ goog.i18n.DateTimeSymbols_dav = { ERAS: ['KK', 'BK'], ERANAMES: ['Kabla ya Kristo', 'Baada ya Kristo'], NARROWMONTHS: ['I', 'K', 'K', 'K', 'K', 'K', 'M', 'W', 'I', 'I', 'I', 'I'], STANDALONENARROWMONTHS: ['I', 'K', 'K', 'K', 'K', 'K', 'M', 'W', 'I', 'I', 'I', 'I'], MONTHS: ['Mori ghwa imbiri', 'Mori ghwa kawi', 'Mori ghwa kadadu', 'Mori ghwa kana', 'Mori ghwa kasanu', 'Mori ghwa karandadu', 'Mori ghwa mfungade', 'Mori ghwa wunyanya', 'Mori ghwa ikenda', 'Mori ghwa ikumi', 'Mori ghwa ikumi na imweri', 'Mori ghwa ikumi na iwi'], STANDALONEMONTHS: ['Mori ghwa imbiri', 'Mori ghwa kawi', 'Mori ghwa kadadu', 'Mori ghwa kana', 'Mori ghwa kasanu', 'Mori ghwa karandadu', 'Mori ghwa mfungade', 'Mori ghwa wunyanya', 'Mori ghwa ikenda', 'Mori ghwa ikumi', 'Mori ghwa ikumi na imweri', 'Mori ghwa ikumi na iwi'], SHORTMONTHS: ['Imb', 'Kaw', 'Kad', 'Kan', 'Kas', 'Kar', 'Mfu', 'Wun', 'Ike', 'Iku', 'Imw', 'Iwi'], STANDALONESHORTMONTHS: ['Imb', 'Kaw', 'Kad', 'Kan', 'Kas', 'Kar', 'Mfu', 'Wun', 'Ike', 'Iku', 'Imw', 'Iwi'], WEEKDAYS: ['Ituku ja jumwa', 'Kuramuka jimweri', 'Kuramuka kawi', 'Kuramuka kadadu', 'Kuramuka kana', 'Kuramuka kasanu', 'Kifula nguwo'], STANDALONEWEEKDAYS: ['Ituku ja jumwa', 'Kuramuka jimweri', 'Kuramuka kawi', 'Kuramuka kadadu', 'Kuramuka kana', 'Kuramuka kasanu', 'Kifula nguwo'], SHORTWEEKDAYS: ['Jum', 'Jim', 'Kaw', 'Kad', 'Kan', 'Kas', 'Ngu'], STANDALONESHORTWEEKDAYS: ['Jum', 'Jim', 'Kaw', 'Kad', 'Kan', 'Kas', 'Ngu'], NARROWWEEKDAYS: ['J', 'J', 'K', 'K', 'K', 'K', 'N'], STANDALONENARROWWEEKDAYS: ['J', 'J', 'K', 'K', 'K', 'K', 'N'], SHORTQUARTERS: ['K1', 'K2', 'K3', 'K4'], QUARTERS: ['Kimu cha imbiri', 'Kimu cha kawi', 'Kimu cha kadadu', 'Kimu cha kana'], AMPMS: ['Luma lwa K', 'luma lwa p'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yyyy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale dav_KE. */ goog.i18n.DateTimeSymbols_dav_KE = goog.i18n.DateTimeSymbols_dav; /** * Date/time formatting symbols for locale de_BE. */ goog.i18n.DateTimeSymbols_de_BE = { ERAS: ['v. Chr.', 'n. Chr.'], ERANAMES: ['v. Chr.', 'n. Chr.'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['Januar', 'Februar', 'März', 'April', 'Mai', 'Juni', 'Juli', 'August', 'September', 'Oktober', 'November', 'Dezember'], STANDALONEMONTHS: ['Januar', 'Februar', 'März', 'April', 'Mai', 'Juni', 'Juli', 'August', 'September', 'Oktober', 'November', 'Dezember'], SHORTMONTHS: ['Jan', 'Feb', 'Mär', 'Apr', 'Mai', 'Jun', 'Jul', 'Aug', 'Sep', 'Okt', 'Nov', 'Dez'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mär', 'Apr', 'Mai', 'Jun', 'Jul', 'Aug', 'Sep', 'Okt', 'Nov', 'Dez'], WEEKDAYS: ['Sonntag', 'Montag', 'Dienstag', 'Mittwoch', 'Donnerstag', 'Freitag', 'Samstag'], STANDALONEWEEKDAYS: ['Sonntag', 'Montag', 'Dienstag', 'Mittwoch', 'Donnerstag', 'Freitag', 'Samstag'], SHORTWEEKDAYS: ['So.', 'Mo.', 'Di.', 'Mi.', 'Do.', 'Fr.', 'Sa.'], STANDALONESHORTWEEKDAYS: ['So', 'Mo', 'Di', 'Mi', 'Do', 'Fr', 'Sa'], NARROWWEEKDAYS: ['S', 'M', 'D', 'M', 'D', 'F', 'S'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'D', 'M', 'D', 'F', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['1. Quartal', '2. Quartal', '3. Quartal', '4. Quartal'], AMPMS: ['vorm.', 'nachm.'], DATEFORMATS: ['EEEE, d. MMMM y', 'd. MMMM y', 'dd.MM.yyyy', 'dd.MM.yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale de_DE. */ goog.i18n.DateTimeSymbols_de_DE = { ERAS: ['v. Chr.', 'n. Chr.'], ERANAMES: ['v. Chr.', 'n. Chr.'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['Januar', 'Februar', 'März', 'April', 'Mai', 'Juni', 'Juli', 'August', 'September', 'Oktober', 'November', 'Dezember'], STANDALONEMONTHS: ['Januar', 'Februar', 'März', 'April', 'Mai', 'Juni', 'Juli', 'August', 'September', 'Oktober', 'November', 'Dezember'], SHORTMONTHS: ['Jan', 'Feb', 'Mär', 'Apr', 'Mai', 'Jun', 'Jul', 'Aug', 'Sep', 'Okt', 'Nov', 'Dez'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mär', 'Apr', 'Mai', 'Jun', 'Jul', 'Aug', 'Sep', 'Okt', 'Nov', 'Dez'], WEEKDAYS: ['Sonntag', 'Montag', 'Dienstag', 'Mittwoch', 'Donnerstag', 'Freitag', 'Samstag'], STANDALONEWEEKDAYS: ['Sonntag', 'Montag', 'Dienstag', 'Mittwoch', 'Donnerstag', 'Freitag', 'Samstag'], SHORTWEEKDAYS: ['So.', 'Mo.', 'Di.', 'Mi.', 'Do.', 'Fr.', 'Sa.'], STANDALONESHORTWEEKDAYS: ['So', 'Mo', 'Di', 'Mi', 'Do', 'Fr', 'Sa'], NARROWWEEKDAYS: ['S', 'M', 'D', 'M', 'D', 'F', 'S'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'D', 'M', 'D', 'F', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['1. Quartal', '2. Quartal', '3. Quartal', '4. Quartal'], AMPMS: ['vorm.', 'nachm.'], DATEFORMATS: ['EEEE, d. MMMM y', 'd. MMMM y', 'dd.MM.yyyy', 'dd.MM.yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale de_LI. */ goog.i18n.DateTimeSymbols_de_LI = { ERAS: ['v. Chr.', 'n. Chr.'], ERANAMES: ['v. Chr.', 'n. Chr.'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['Januar', 'Februar', 'März', 'April', 'Mai', 'Juni', 'Juli', 'August', 'September', 'Oktober', 'November', 'Dezember'], STANDALONEMONTHS: ['Januar', 'Februar', 'März', 'April', 'Mai', 'Juni', 'Juli', 'August', 'September', 'Oktober', 'November', 'Dezember'], SHORTMONTHS: ['Jan', 'Feb', 'Mär', 'Apr', 'Mai', 'Jun', 'Jul', 'Aug', 'Sep', 'Okt', 'Nov', 'Dez'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mär', 'Apr', 'Mai', 'Jun', 'Jul', 'Aug', 'Sep', 'Okt', 'Nov', 'Dez'], WEEKDAYS: ['Sonntag', 'Montag', 'Dienstag', 'Mittwoch', 'Donnerstag', 'Freitag', 'Samstag'], STANDALONEWEEKDAYS: ['Sonntag', 'Montag', 'Dienstag', 'Mittwoch', 'Donnerstag', 'Freitag', 'Samstag'], SHORTWEEKDAYS: ['So.', 'Mo.', 'Di.', 'Mi.', 'Do.', 'Fr.', 'Sa.'], STANDALONESHORTWEEKDAYS: ['So', 'Mo', 'Di', 'Mi', 'Do', 'Fr', 'Sa'], NARROWWEEKDAYS: ['S', 'M', 'D', 'M', 'D', 'F', 'S'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'D', 'M', 'D', 'F', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['1. Quartal', '2. Quartal', '3. Quartal', '4. Quartal'], AMPMS: ['vorm.', 'nachm.'], DATEFORMATS: ['EEEE, d. MMMM y', 'd. MMMM y', 'dd.MM.yyyy', 'dd.MM.yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale de_LU. */ goog.i18n.DateTimeSymbols_de_LU = { ERAS: ['v. Chr.', 'n. Chr.'], ERANAMES: ['v. Chr.', 'n. Chr.'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['Januar', 'Februar', 'März', 'April', 'Mai', 'Juni', 'Juli', 'August', 'September', 'Oktober', 'November', 'Dezember'], STANDALONEMONTHS: ['Januar', 'Februar', 'März', 'April', 'Mai', 'Juni', 'Juli', 'August', 'September', 'Oktober', 'November', 'Dezember'], SHORTMONTHS: ['Jan', 'Feb', 'Mär', 'Apr', 'Mai', 'Jun', 'Jul', 'Aug', 'Sep', 'Okt', 'Nov', 'Dez'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mär', 'Apr', 'Mai', 'Jun', 'Jul', 'Aug', 'Sep', 'Okt', 'Nov', 'Dez'], WEEKDAYS: ['Sonntag', 'Montag', 'Dienstag', 'Mittwoch', 'Donnerstag', 'Freitag', 'Samstag'], STANDALONEWEEKDAYS: ['Sonntag', 'Montag', 'Dienstag', 'Mittwoch', 'Donnerstag', 'Freitag', 'Samstag'], SHORTWEEKDAYS: ['So.', 'Mo.', 'Di.', 'Mi.', 'Do.', 'Fr.', 'Sa.'], STANDALONESHORTWEEKDAYS: ['So', 'Mo', 'Di', 'Mi', 'Do', 'Fr', 'Sa'], NARROWWEEKDAYS: ['S', 'M', 'D', 'M', 'D', 'F', 'S'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'D', 'M', 'D', 'F', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['1. Quartal', '2. Quartal', '3. Quartal', '4. Quartal'], AMPMS: ['vorm.', 'nachm.'], DATEFORMATS: ['EEEE, d. MMMM y', 'd. MMMM y', 'dd.MM.yyyy', 'dd.MM.yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale dje. */ goog.i18n.DateTimeSymbols_dje = { ERAS: ['IJ', 'IZ'], ERANAMES: ['Isaa jine', 'Isaa zamanoo'], NARROWMONTHS: ['Ž', 'F', 'M', 'A', 'M', 'Ž', 'Ž', 'U', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['Ž', 'F', 'M', 'A', 'M', 'Ž', 'Ž', 'U', 'S', 'O', 'N', 'D'], MONTHS: ['Žanwiye', 'Feewiriye', 'Marsi', 'Awiril', 'Me', 'Žuweŋ', 'Žuyye', 'Ut', 'Sektanbur', 'Oktoobur', 'Noowanbur', 'Deesanbur'], STANDALONEMONTHS: ['Žanwiye', 'Feewiriye', 'Marsi', 'Awiril', 'Me', 'Žuweŋ', 'Žuyye', 'Ut', 'Sektanbur', 'Oktoobur', 'Noowanbur', 'Deesanbur'], SHORTMONTHS: ['Žan', 'Fee', 'Mar', 'Awi', 'Me', 'Žuw', 'Žuy', 'Ut', 'Sek', 'Okt', 'Noo', 'Dee'], STANDALONESHORTMONTHS: ['Žan', 'Fee', 'Mar', 'Awi', 'Me', 'Žuw', 'Žuy', 'Ut', 'Sek', 'Okt', 'Noo', 'Dee'], WEEKDAYS: ['Alhadi', 'Atinni', 'Atalaata', 'Alarba', 'Alhamisi', 'Alzuma', 'Asibti'], STANDALONEWEEKDAYS: ['Alhadi', 'Atinni', 'Atalaata', 'Alarba', 'Alhamisi', 'Alzuma', 'Asibti'], SHORTWEEKDAYS: ['Alh', 'Ati', 'Ata', 'Ala', 'Alm', 'Alz', 'Asi'], STANDALONESHORTWEEKDAYS: ['Alh', 'Ati', 'Ata', 'Ala', 'Alm', 'Alz', 'Asi'], NARROWWEEKDAYS: ['H', 'T', 'T', 'L', 'M', 'Z', 'S'], STANDALONENARROWWEEKDAYS: ['H', 'T', 'T', 'L', 'M', 'Z', 'S'], SHORTQUARTERS: ['A1', 'A2', 'A3', 'A4'], QUARTERS: ['Arrubu 1', 'Arrubu 2', 'Arrubu 3', 'Arrubu 4'], AMPMS: ['Subbaahi', 'Zaarikay b'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM, y', 'd/M/yyyy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale dje_NE. */ goog.i18n.DateTimeSymbols_dje_NE = goog.i18n.DateTimeSymbols_dje; /** * Date/time formatting symbols for locale dua. */ goog.i18n.DateTimeSymbols_dua = { ERAS: ['ɓ.Ys', 'mb.Ys'], ERANAMES: ['ɓoso ɓwá yáɓe lá', 'mbúsa kwédi a Yés'], NARROWMONTHS: ['d', 'ŋ', 's', 'd', 'e', 'e', 'm', 'd', 'n', 'm', 't', 'e'], STANDALONENARROWMONTHS: ['d', 'ŋ', 's', 'd', 'e', 'e', 'm', 'd', 'n', 'm', 't', 'e'], MONTHS: ['dimɔ́di', 'ŋgɔndɛ', 'sɔŋɛ', 'diɓáɓá', 'emiasele', 'esɔpɛsɔpɛ', 'madiɓɛ́díɓɛ́', 'diŋgindi', 'nyɛtɛki', 'mayésɛ́', 'tiníní', 'eláŋgɛ́'], STANDALONEMONTHS: ['dimɔ́di', 'ŋgɔndɛ', 'sɔŋɛ', 'diɓáɓá', 'emiasele', 'esɔpɛsɔpɛ', 'madiɓɛ́díɓɛ́', 'diŋgindi', 'nyɛtɛki', 'mayésɛ́', 'tiníní', 'eláŋgɛ́'], SHORTMONTHS: ['di', 'ŋgɔn', 'sɔŋ', 'diɓ', 'emi', 'esɔ', 'mad', 'diŋ', 'nyɛt', 'may', 'tin', 'elá'], STANDALONESHORTMONTHS: ['di', 'ŋgɔn', 'sɔŋ', 'diɓ', 'emi', 'esɔ', 'mad', 'diŋ', 'nyɛt', 'may', 'tin', 'elá'], WEEKDAYS: ['éti', 'mɔ́sú', 'kwasú', 'mukɔ́sú', 'ŋgisú', 'ɗónɛsú', 'esaɓasú'], STANDALONEWEEKDAYS: ['éti', 'mɔ́sú', 'kwasú', 'mukɔ́sú', 'ŋgisú', 'ɗónɛsú', 'esaɓasú'], SHORTWEEKDAYS: ['ét', 'mɔ́s', 'kwa', 'muk', 'ŋgi', 'ɗón', 'esa'], STANDALONESHORTWEEKDAYS: ['ét', 'mɔ́s', 'kwa', 'muk', 'ŋgi', 'ɗón', 'esa'], NARROWWEEKDAYS: ['e', 'm', 'k', 'm', 'ŋ', 'ɗ', 'e'], STANDALONENARROWWEEKDAYS: ['e', 'm', 'k', 'm', 'ŋ', 'ɗ', 'e'], SHORTQUARTERS: ['ndu1', 'ndu2', 'ndu3', 'ndu4'], QUARTERS: ['ndúmbū nyá ɓosó', 'ndúmbū ní lóndɛ́ íɓaá', 'ndúmbū ní lóndɛ́ ílálo', 'ndúmbū ní lóndɛ́ ínɛ́y'], AMPMS: ['idiɓa', 'ebyámu'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'd/M/yyyy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale dua_CM. */ goog.i18n.DateTimeSymbols_dua_CM = goog.i18n.DateTimeSymbols_dua; /** * Date/time formatting symbols for locale dyo. */ goog.i18n.DateTimeSymbols_dyo = { ERAS: ['ArY', 'AtY'], ERANAMES: ['Ariŋuu Yeesu', 'Atooŋe Yeesu'], NARROWMONTHS: ['S', 'F', 'M', 'A', 'M', 'S', 'S', 'U', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['S', 'F', 'M', 'A', 'M', 'S', 'S', 'U', 'S', 'O', 'N', 'D'], MONTHS: ['Sanvie', 'Fébirie', 'Mars', 'Aburil', 'Mee', 'Sueŋ', 'Súuyee', 'Ut', 'Settembar', 'Oktobar', 'Novembar', 'Disambar'], STANDALONEMONTHS: ['Sanvie', 'Fébirie', 'Mars', 'Aburil', 'Mee', 'Sueŋ', 'Súuyee', 'Ut', 'Settembar', 'Oktobar', 'Novembar', 'Disambar'], SHORTMONTHS: ['Sa', 'Fe', 'Ma', 'Ab', 'Me', 'Su', 'Sú', 'Ut', 'Se', 'Ok', 'No', 'De'], STANDALONESHORTMONTHS: ['Sa', 'Fe', 'Ma', 'Ab', 'Me', 'Su', 'Sú', 'Ut', 'Se', 'Ok', 'No', 'De'], WEEKDAYS: ['Dimas', 'Teneŋ', 'Talata', 'Alarbay', 'Aramisay', 'Arjuma', 'Sibiti'], STANDALONEWEEKDAYS: ['Dimas', 'Teneŋ', 'Talata', 'Alarbay', 'Aramisay', 'Arjuma', 'Sibiti'], SHORTWEEKDAYS: ['Dim', 'Ten', 'Tal', 'Ala', 'Ara', 'Arj', 'Sib'], STANDALONESHORTWEEKDAYS: ['Dim', 'Ten', 'Tal', 'Ala', 'Ara', 'Arj', 'Sib'], NARROWWEEKDAYS: ['D', 'T', 'T', 'A', 'A', 'A', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'T', 'T', 'A', 'A', 'A', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'd/M/yyyy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale dyo_SN. */ goog.i18n.DateTimeSymbols_dyo_SN = goog.i18n.DateTimeSymbols_dyo; /** * Date/time formatting symbols for locale dz. */ goog.i18n.DateTimeSymbols_dz = { ERAS: ['BCE', 'CE'], ERANAMES: ['BCE', 'CE'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['སྤྱི་ཟླཝ་དངཔ་', 'སྤྱི་ཟླཝ་གཉིས་པ་', 'སྤྱི་ཟླཝ་གསུམ་པ་', 'སྤྱི་ཟླཝ་བཞི་པ་', 'སྤྱི་ཟླཝ་ལྔ་པ་', 'སྤྱི་ཟླཝ་དྲུག་པ་', 'སྤྱི་ཟླཝ་བདུན་པ་', 'སྤྱི་ཟླཝ་བརྒྱད་པ་', 'སྤྱི་ཟླཝ་དགུ་པ་', 'སྤྱི་ཟླཝ་བཅུ་པ་', 'སྤྱི་ཟླཝ་བཅུ་གཅིག་པ་', 'སྤྱི་ཟླཝ་བཅུ་གཉིས་པ་'], STANDALONEMONTHS: ['སྤྱི་ཟླཝ་དངཔ་', 'སྤྱི་ཟླཝ་གཉིས་པ་', 'སྤྱི་ཟླཝ་གསུམ་པ་', 'སྤྱི་ཟླཝ་བཞི་པ་', 'སྤྱི་ཟླཝ་ལྔ་པ་', 'སྤྱི་ཟླཝ་དྲུག་པ་', 'སྤྱི་ཟླཝ་བདུན་པ་', 'སྤྱི་ཟླཝ་བརྒྱད་པ་', 'སྤྱི་ཟླཝ་དགུ་པ་', 'སྤྱི་ཟླཝ་བཅུ་པ་', 'སྤྱི་ཟླཝ་བཅུ་གཅིག་པ་', 'སྤྱི་ཟླཝ་བཅུ་གཉིས་པ་'], SHORTMONTHS: ['ཟླ་ ༡', 'ཟླ་ ༢', 'ཟླ་ ༣', 'ཟླ་ ༤', 'ཟླ་ ༥', 'ཟླ་ ༦', 'ཟླ་ ༧', 'ཟླ་ ༨', 'ཟླ་ ༩', 'ཟླ་ ༡༠', 'ཟླ་ ༡༡', 'ཟླ་ ༡༢'], STANDALONESHORTMONTHS: ['ཟླ་ ༡', 'ཟླ་ ༢', 'ཟླ་ ༣', 'ཟླ་ ༤', 'ཟླ་ ༥', 'ཟླ་ ༦', 'ཟླ་ ༧', 'ཟླ་ ༨', 'ཟླ་ ༩', 'ཟླ་ ༡༠', 'ཟླ་ ༡༡', 'ཟླ་ ༡༢'], WEEKDAYS: ['གཟའ་ཟླ་བ་', 'གཟའ་མིག་དམར་', 'གཟའ་ལྷག་པ་', 'གཟའ་ཕུར་བུ་', 'གཟའ་པ་སངས་', 'གཟའ་སྤེན་པ་', 'གཟའ་ཉི་མ་'], STANDALONEWEEKDAYS: ['གཟའ་ཟླ་བ་', 'གཟའ་མིག་དམར་', 'གཟའ་ལྷག་པ་', 'གཟའ་ཕུར་བུ་', 'གཟའ་པ་སངས་', 'གཟའ་སྤེན་པ་', 'གཟའ་ཉི་མ་'], SHORTWEEKDAYS: ['ཟླ་', 'མིར་', 'ལྷག་', 'ཕུར་', 'སངས་', 'སྤེན་', 'ཉི་'], STANDALONESHORTWEEKDAYS: ['ཟླ་', 'མིར་', 'ལྷག་', 'ཕུར་', 'སངས་', 'སྤེན་', 'ཉི་'], NARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], STANDALONENARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], SHORTQUARTERS: ['བཞི་དཔྱ་༡', 'བཞི་དཔྱ་༢', 'བཞི་དཔྱ་༣', 'བཞི་དཔྱ་༤'], QUARTERS: ['བཞི་དཔྱ་དང་པ་', 'བཞི་དཔྱ་གཉིས་པ་', 'བཞི་དཔྱ་གསུམ་པ་', 'བཞི་དཔྱ་བཞི་པ་'], AMPMS: ['སྔ་ཆ་', 'ཕྱི་ཆ་'], DATEFORMATS: ['སྤྱི་ལོ་y ཟླ་ MMMM ཚེས་ dd', 'སྤྱི་ལོ་y ཟླ་ MMMM ཚེས་ dd', 'སྤྱི་ལོ་y ཟླ་ MMM ཚེས་ dd', 'yyyy-MM-dd'], TIMEFORMATS: [ 'ཆུ་ཚོད་ h སྐར་མ་ mm སྐར་ཆཱ་ ss a zzzz', 'ཆུ་ཚོད་ h སྐར་མ་ mm སྐར་ཆཱ་ ss a z', 'ཆུ་ཚོད་h:mm:ss a', 'ཆུ་ཚོད་ h སྐར་མ་ mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale dz_BT. */ goog.i18n.DateTimeSymbols_dz_BT = goog.i18n.DateTimeSymbols_dz; /** * Date/time formatting symbols for locale ebu. */ goog.i18n.DateTimeSymbols_ebu = { ERAS: ['MK', 'TK'], ERANAMES: ['Mbere ya Kristo', 'Thutha wa Kristo'], NARROWMONTHS: ['M', 'K', 'K', 'K', 'G', 'G', 'M', 'K', 'K', 'I', 'I', 'I'], STANDALONENARROWMONTHS: ['M', 'K', 'K', 'K', 'G', 'G', 'M', 'K', 'K', 'I', 'I', 'I'], MONTHS: ['Mweri wa mbere', 'Mweri wa kaĩri', 'Mweri wa kathatũ', 'Mweri wa kana', 'Mweri wa gatano', 'Mweri wa gatantatũ', 'Mweri wa mũgwanja', 'Mweri wa kanana', 'Mweri wa kenda', 'Mweri wa ikũmi', 'Mweri wa ikũmi na ũmwe', 'Mweri wa ikũmi na Kaĩrĩ'], STANDALONEMONTHS: ['Mweri wa mbere', 'Mweri wa kaĩri', 'Mweri wa kathatũ', 'Mweri wa kana', 'Mweri wa gatano', 'Mweri wa gatantatũ', 'Mweri wa mũgwanja', 'Mweri wa kanana', 'Mweri wa kenda', 'Mweri wa ikũmi', 'Mweri wa ikũmi na ũmwe', 'Mweri wa ikũmi na Kaĩrĩ'], SHORTMONTHS: ['Mbe', 'Kai', 'Kat', 'Kan', 'Gat', 'Gan', 'Mug', 'Knn', 'Ken', 'Iku', 'Imw', 'Igi'], STANDALONESHORTMONTHS: ['Mbe', 'Kai', 'Kat', 'Kan', 'Gat', 'Gan', 'Mug', 'Knn', 'Ken', 'Iku', 'Imw', 'Igi'], WEEKDAYS: ['Kiumia', 'Njumatatu', 'Njumaine', 'Njumatano', 'Aramithi', 'Njumaa', 'NJumamothii'], STANDALONEWEEKDAYS: ['Kiumia', 'Njumatatu', 'Njumaine', 'Njumatano', 'Aramithi', 'Njumaa', 'NJumamothii'], SHORTWEEKDAYS: ['Kma', 'Tat', 'Ine', 'Tan', 'Arm', 'Maa', 'NMM'], STANDALONESHORTWEEKDAYS: ['Kma', 'Tat', 'Ine', 'Tan', 'Arm', 'Maa', 'NMM'], NARROWWEEKDAYS: ['K', 'N', 'N', 'N', 'A', 'M', 'N'], STANDALONENARROWWEEKDAYS: ['K', 'N', 'N', 'N', 'A', 'M', 'N'], SHORTQUARTERS: ['K1', 'K2', 'K3', 'K4'], QUARTERS: ['Kuota ya mbere', 'Kuota ya Kaĩrĩ', 'Kuota ya kathatu', 'Kuota ya kana'], AMPMS: ['KI', 'UT'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yyyy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale ebu_KE. */ goog.i18n.DateTimeSymbols_ebu_KE = goog.i18n.DateTimeSymbols_ebu; /** * Date/time formatting symbols for locale ee. */ goog.i18n.DateTimeSymbols_ee = { ERAS: ['hY', 'Yŋ'], ERANAMES: ['Hafi Yesu Va Do ŋgɔ', 'Yesu Ŋɔli'], NARROWMONTHS: ['d', 'd', 't', 'a', 'd', 'm', 's', 'd', 'a', 'k', 'a', 'd'], STANDALONENARROWMONTHS: ['d', 'd', 't', 'a', 'd', 'm', 's', 'd', 'a', 'k', 'a', 'd'], MONTHS: ['dzove', 'dzodze', 'tedoxe', 'afɔfĩe', 'dama', 'masa', 'siamlɔm', 'deasiamime', 'anyɔnyɔ', 'kele', 'adeɛmekpɔxe', 'dzome'], STANDALONEMONTHS: ['dzove', 'dzodze', 'tedoxe', 'afɔfĩe', 'dama', 'masa', 'siamlɔm', 'deasiamime', 'anyɔnyɔ', 'kele', 'adeɛmekpɔxe', 'dzome'], SHORTMONTHS: ['dzv', 'dzd', 'ted', 'afɔ', 'dam', 'mas', 'sia', 'dea', 'any', 'kel', 'ade', 'dzm'], STANDALONESHORTMONTHS: ['dzv', 'dzd', 'ted', 'afɔ', 'dam', 'mas', 'sia', 'dea', 'any', 'kel', 'ade', 'dzm'], WEEKDAYS: ['kɔsiɖa', 'dzoɖa', 'blaɖa', 'kuɖa', 'yawoɖa', 'fiɖa', 'memleɖa'], STANDALONEWEEKDAYS: ['kɔsiɖa', 'dzoɖa', 'blaɖa', 'kuɖa', 'yawoɖa', 'fiɖa', 'memleɖa'], SHORTWEEKDAYS: ['kɔs', 'dzo', 'bla', 'kuɖ', 'yaw', 'fiɖ', 'mem'], STANDALONESHORTWEEKDAYS: ['kɔs', 'dzo', 'bla', 'kuɖ', 'yaw', 'fiɖ', 'mem'], NARROWWEEKDAYS: ['k', 'd', 'b', 'k', 'y', 'f', 'm'], STANDALONENARROWWEEKDAYS: ['k', 'd', 'b', 'k', 'y', 'f', 'm'], SHORTQUARTERS: ['q1', 'q2', 'q3', 'q4'], QUARTERS: ['memama ene ƒe akpa gbãtɔ', 'memama ene ƒe akpa evelia', 'memama ene ƒe akpa etɔ̃lia', 'memama ene ƒe akpa enelia'], AMPMS: ['ŋdi', 'ɣetrɔ'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yyyy'], TIMEFORMATS: ['a h:mm:ss zzzz', 'a h:mm:ss z', 'a h:mm:ss', 'a h:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale ee_GH. */ goog.i18n.DateTimeSymbols_ee_GH = goog.i18n.DateTimeSymbols_ee; /** * Date/time formatting symbols for locale ee_TG. */ goog.i18n.DateTimeSymbols_ee_TG = goog.i18n.DateTimeSymbols_ee; /** * Date/time formatting symbols for locale el_CY. */ goog.i18n.DateTimeSymbols_el_CY = { ERAS: ['π.Χ.', 'μ.Χ.'], ERANAMES: ['π.Χ.', 'μ.Χ.'], NARROWMONTHS: ['Ι', 'Φ', 'Μ', 'Α', 'Μ', 'Ι', 'Ι', 'Α', 'Σ', 'Ο', 'Ν', 'Δ'], STANDALONENARROWMONTHS: ['Ι', 'Φ', 'Μ', 'Α', 'Μ', 'Ι', 'Ι', 'Α', 'Σ', 'Ο', 'Ν', 'Δ'], MONTHS: ['Ιανουαρίου', 'Φεβρουαρίου', 'Μαρτίου', 'Απριλίου', 'Μαΐου', 'Ιουνίου', 'Ιουλίου', 'Αυγούστου', 'Σεπτεμβρίου', 'Οκτωβρίου', 'Νοεμβρίου', 'Δεκεμβρίου'], STANDALONEMONTHS: ['Ιανουάριος', 'Φεβρουάριος', 'Μάρτιος', 'Απρίλιος', 'Μάιος', 'Ιούνιος', 'Ιούλιος', 'Αύγουστος', 'Σεπτέμβριος', 'Οκτώβριος', 'Νοέμβριος', 'Δεκέμβριος'], SHORTMONTHS: ['Ιαν', 'Φεβ', 'Μαρ', 'Απρ', 'Μαϊ', 'Ιουν', 'Ιουλ', 'Αυγ', 'Σεπ', 'Οκτ', 'Νοε', 'Δεκ'], STANDALONESHORTMONTHS: ['Ιαν', 'Φεβ', 'Μάρ', 'Απρ', 'Μάι', 'Ιούν', 'Ιούλ', 'Αυγ', 'Σεπ', 'Οκτ', 'Νοέ', 'Δεκ'], WEEKDAYS: ['Κυριακή', 'Δευτέρα', 'Τρίτη', 'Τετάρτη', 'Πέμπτη', 'Παρασκευή', 'Σάββατο'], STANDALONEWEEKDAYS: ['Κυριακή', 'Δευτέρα', 'Τρίτη', 'Τετάρτη', 'Πέμπτη', 'Παρασκευή', 'Σάββατο'], SHORTWEEKDAYS: ['Κυρ', 'Δευ', 'Τρι', 'Τετ', 'Πεμ', 'Παρ', 'Σαβ'], STANDALONESHORTWEEKDAYS: ['Κυρ', 'Δευ', 'Τρί', 'Τετ', 'Πέμ', 'Παρ', 'Σάβ'], NARROWWEEKDAYS: ['Κ', 'Δ', 'Τ', 'Τ', 'Π', 'Π', 'Σ'], STANDALONENARROWWEEKDAYS: ['Κ', 'Δ', 'Τ', 'Τ', 'Π', 'Π', 'Σ'], SHORTQUARTERS: ['Τ1', 'Τ2', 'Τ3', 'Τ4'], QUARTERS: ['1ο τρίμηνο', '2ο τρίμηνο', '3ο τρίμηνο', '4ο τρίμηνο'], AMPMS: ['π.μ.', 'μ.μ.'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'd/M/yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale el_GR. */ goog.i18n.DateTimeSymbols_el_GR = { ERAS: ['π.Χ.', 'μ.Χ.'], ERANAMES: ['π.Χ.', 'μ.Χ.'], NARROWMONTHS: ['Ι', 'Φ', 'Μ', 'Α', 'Μ', 'Ι', 'Ι', 'Α', 'Σ', 'Ο', 'Ν', 'Δ'], STANDALONENARROWMONTHS: ['Ι', 'Φ', 'Μ', 'Α', 'Μ', 'Ι', 'Ι', 'Α', 'Σ', 'Ο', 'Ν', 'Δ'], MONTHS: ['Ιανουαρίου', 'Φεβρουαρίου', 'Μαρτίου', 'Απριλίου', 'Μαΐου', 'Ιουνίου', 'Ιουλίου', 'Αυγούστου', 'Σεπτεμβρίου', 'Οκτωβρίου', 'Νοεμβρίου', 'Δεκεμβρίου'], STANDALONEMONTHS: ['Ιανουάριος', 'Φεβρουάριος', 'Μάρτιος', 'Απρίλιος', 'Μάιος', 'Ιούνιος', 'Ιούλιος', 'Αύγουστος', 'Σεπτέμβριος', 'Οκτώβριος', 'Νοέμβριος', 'Δεκέμβριος'], SHORTMONTHS: ['Ιαν', 'Φεβ', 'Μαρ', 'Απρ', 'Μαϊ', 'Ιουν', 'Ιουλ', 'Αυγ', 'Σεπ', 'Οκτ', 'Νοε', 'Δεκ'], STANDALONESHORTMONTHS: ['Ιαν', 'Φεβ', 'Μάρ', 'Απρ', 'Μάι', 'Ιούν', 'Ιούλ', 'Αυγ', 'Σεπ', 'Οκτ', 'Νοέ', 'Δεκ'], WEEKDAYS: ['Κυριακή', 'Δευτέρα', 'Τρίτη', 'Τετάρτη', 'Πέμπτη', 'Παρασκευή', 'Σάββατο'], STANDALONEWEEKDAYS: ['Κυριακή', 'Δευτέρα', 'Τρίτη', 'Τετάρτη', 'Πέμπτη', 'Παρασκευή', 'Σάββατο'], SHORTWEEKDAYS: ['Κυρ', 'Δευ', 'Τρι', 'Τετ', 'Πεμ', 'Παρ', 'Σαβ'], STANDALONESHORTWEEKDAYS: ['Κυρ', 'Δευ', 'Τρί', 'Τετ', 'Πέμ', 'Παρ', 'Σάβ'], NARROWWEEKDAYS: ['Κ', 'Δ', 'Τ', 'Τ', 'Π', 'Π', 'Σ'], STANDALONENARROWWEEKDAYS: ['Κ', 'Δ', 'Τ', 'Τ', 'Π', 'Π', 'Σ'], SHORTQUARTERS: ['Τ1', 'Τ2', 'Τ3', 'Τ4'], QUARTERS: ['1ο τρίμηνο', '2ο τρίμηνο', '3ο τρίμηνο', '4ο τρίμηνο'], AMPMS: ['π.μ.', 'μ.μ.'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'd/M/yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale en_AS. */ goog.i18n.DateTimeSymbols_en_AS = { ERAS: ['BC', 'AD'], ERANAMES: ['Before Christ', 'Anno Domini'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], STANDALONEMONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], SHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], WEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], STANDALONEWEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], SHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], STANDALONESHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], NARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['1st quarter', '2nd quarter', '3rd quarter', '4th quarter'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, MMMM d, y', 'MMMM d, y', 'MMM d, y', 'M/d/yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale en_BB. */ goog.i18n.DateTimeSymbols_en_BB = { ERAS: ['BC', 'AD'], ERANAMES: ['Before Christ', 'Anno Domini'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], STANDALONEMONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], SHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], WEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], STANDALONEWEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], SHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], STANDALONESHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], NARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['1st quarter', '2nd quarter', '3rd quarter', '4th quarter'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, MMMM d, y', 'MMMM d, y', 'MMM d, y', 'M/d/yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale en_BE. */ goog.i18n.DateTimeSymbols_en_BE = { ERAS: ['BC', 'AD'], ERANAMES: ['Before Christ', 'Anno Domini'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], STANDALONEMONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], SHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], WEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], STANDALONEWEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], SHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], STANDALONESHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], NARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['1st quarter', '2nd quarter', '3rd quarter', '4th quarter'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE d MMMM y', 'd MMM y', 'dd MMM y', 'dd/MM/yy'], TIMEFORMATS: ['HH \'h\' mm \'min\' ss \'s\' zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale en_BM. */ goog.i18n.DateTimeSymbols_en_BM = { ERAS: ['BC', 'AD'], ERANAMES: ['Before Christ', 'Anno Domini'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], STANDALONEMONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], SHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], WEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], STANDALONEWEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], SHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], STANDALONESHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], NARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['1st quarter', '2nd quarter', '3rd quarter', '4th quarter'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, MMMM d, y', 'MMMM d, y', 'MMM d, y', 'M/d/yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale en_BW. */ goog.i18n.DateTimeSymbols_en_BW = { ERAS: ['BC', 'AD'], ERANAMES: ['Before Christ', 'Anno Domini'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], STANDALONEMONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], SHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], WEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], STANDALONEWEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], SHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], STANDALONESHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], NARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['1st quarter', '2nd quarter', '3rd quarter', '4th quarter'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE dd MMMM y', 'dd MMMM y', 'MMM d, y', 'dd/MM/yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale en_BZ. */ goog.i18n.DateTimeSymbols_en_BZ = { ERAS: ['BC', 'AD'], ERANAMES: ['Before Christ', 'Anno Domini'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], STANDALONEMONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], SHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], WEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], STANDALONEWEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], SHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], STANDALONESHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], NARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['1st quarter', '2nd quarter', '3rd quarter', '4th quarter'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['dd MMMM y', 'dd MMMM y', 'dd-MMM-y', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale en_CA. */ goog.i18n.DateTimeSymbols_en_CA = { ERAS: ['BC', 'AD'], ERANAMES: ['Before Christ', 'Anno Domini'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], STANDALONEMONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], SHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], WEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], STANDALONEWEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], SHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], STANDALONESHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], NARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['1st quarter', '2nd quarter', '3rd quarter', '4th quarter'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, d MMMM, y', 'd MMMM, y', 'yyyy-MM-dd', 'yy-MM-dd'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale en_Dsrt. */ goog.i18n.DateTimeSymbols_en_Dsrt = { ERAS: ['𐐒𐐗', '𐐈𐐔'], ERANAMES: ['𐐒𐐲𐑁𐐬𐑉 𐐗𐑉𐐴𐑅𐐻', '𐐈𐑌𐐬 𐐔𐐱𐑋𐐮𐑌𐐨'], NARROWMONTHS: ['𐐖', '𐐙', '𐐣', '𐐁', '𐐣', '𐐖', '𐐖', '𐐂', '𐐝', '𐐉', '𐐤', '𐐔'], STANDALONENARROWMONTHS: ['𐐖', '𐐙', '𐐣', '𐐁', '𐐣', '𐐖', '𐐖', '𐐂', '𐐝', '𐐉', '𐐤', '𐐔'], MONTHS: ['𐐖𐐰𐑌𐐷𐐭𐐯𐑉𐐨', '𐐙𐐯𐐺𐑉𐐭𐐯𐑉𐐨', '𐐣𐐪𐑉𐐽', '𐐁𐐹𐑉𐐮𐑊', '𐐣𐐩', '𐐖𐐭𐑌', '𐐖𐐭𐑊𐐴', '𐐂𐑀𐐲𐑅𐐻', '𐐝𐐯𐐹𐐻𐐯𐑋𐐺𐐲𐑉', '𐐉𐐿𐐻𐐬𐐺𐐲𐑉', '𐐤𐐬𐑂𐐯𐑋𐐺𐐲𐑉', '𐐔𐐨𐑅𐐯𐑋𐐺𐐲𐑉'], STANDALONEMONTHS: ['𐐖𐐰𐑌𐐷𐐭𐐯𐑉𐐨', '𐐙𐐯𐐺𐑉𐐭𐐯𐑉𐐨', '𐐣𐐪𐑉𐐽', '𐐁𐐹𐑉𐐮𐑊', '𐐣𐐩', '𐐖𐐭𐑌', '𐐖𐐭𐑊𐐴', '𐐂𐑀𐐲𐑅𐐻', '𐐝𐐯𐐹𐐻𐐯𐑋𐐺𐐲𐑉', '𐐉𐐿𐐻𐐬𐐺𐐲𐑉', '𐐤𐐬𐑂𐐯𐑋𐐺𐐲𐑉', '𐐔𐐨𐑅𐐯𐑋𐐺𐐲𐑉'], SHORTMONTHS: ['𐐖𐐰𐑌', '𐐙𐐯𐐺', '𐐣𐐪𐑉', '𐐁𐐹𐑉', '𐐣𐐩', '𐐖𐐭𐑌', '𐐖𐐭𐑊', '𐐂𐑀', '𐐝𐐯𐐹', '𐐉𐐿𐐻', '𐐤𐐬𐑂', '𐐔𐐨𐑅'], STANDALONESHORTMONTHS: ['𐐖𐐰𐑌', '𐐙𐐯𐐺', '𐐣𐐪𐑉', '𐐁𐐹𐑉', '𐐣𐐩', '𐐖𐐭𐑌', '𐐖𐐭𐑊', '𐐂𐑀', '𐐝𐐯𐐹', '𐐉𐐿𐐻', '𐐤𐐬𐑂', '𐐔𐐨𐑅'], WEEKDAYS: ['𐐝𐐲𐑌𐐼𐐩', '𐐣𐐲𐑌𐐼𐐩', '𐐓𐐭𐑆𐐼𐐩', '𐐎𐐯𐑌𐑆𐐼𐐩', '𐐛𐐲𐑉𐑆𐐼𐐩', '𐐙𐑉𐐴𐐼𐐩', '𐐝𐐰𐐻𐐲𐑉𐐼𐐩'], STANDALONEWEEKDAYS: ['𐐝𐐲𐑌𐐼𐐩', '𐐣𐐲𐑌𐐼𐐩', '𐐓𐐭𐑆𐐼𐐩', '𐐎𐐯𐑌𐑆𐐼𐐩', '𐐛𐐲𐑉𐑆𐐼𐐩', '𐐙𐑉𐐴𐐼𐐩', '𐐝𐐰𐐻𐐲𐑉𐐼𐐩'], SHORTWEEKDAYS: ['𐐝𐐲𐑌', '𐐣𐐲𐑌', '𐐓𐐭𐑆', '𐐎𐐯𐑌', '𐐛𐐲𐑉', '𐐙𐑉𐐴', '𐐝𐐰𐐻'], STANDALONESHORTWEEKDAYS: ['𐐝𐐲𐑌', '𐐣𐐲𐑌', '𐐓𐐭𐑆', '𐐎𐐯𐑌', '𐐛𐐲𐑉', '𐐙𐑉𐐴', '𐐝𐐰𐐻'], NARROWWEEKDAYS: ['𐐝', '𐐣', '𐐓', '𐐎', '𐐛', '𐐙', '𐐝'], STANDALONENARROWWEEKDAYS: ['𐐝', '𐐣', '𐐓', '𐐎', '𐐛', '𐐙', '𐐝'], SHORTQUARTERS: ['𐐗1', '𐐗2', '𐐗3', '𐐗4'], QUARTERS: ['1𐑅𐐻 𐐿𐐶𐐪𐑉𐐻𐐲𐑉', '2𐑌𐐼 𐐿𐐶𐐪𐑉𐐻𐐲𐑉', '3𐑉𐐼 𐐿𐐶𐐪𐑉𐐻𐐲𐑉', '4𐑉𐑃 𐐿𐐶𐐪𐑉𐐻𐐲𐑉'], AMPMS: ['𐐈𐐣', '𐐑𐐣'], DATEFORMATS: ['EEEE, MMMM d, y', 'MMMM d, y', 'MMM d, y', 'M/d/yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale en_Dsrt_US. */ goog.i18n.DateTimeSymbols_en_Dsrt_US = goog.i18n.DateTimeSymbols_en_Dsrt; /** * Date/time formatting symbols for locale en_GU. */ goog.i18n.DateTimeSymbols_en_GU = { ERAS: ['BC', 'AD'], ERANAMES: ['Before Christ', 'Anno Domini'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], STANDALONEMONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], SHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], WEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], STANDALONEWEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], SHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], STANDALONESHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], NARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['1st quarter', '2nd quarter', '3rd quarter', '4th quarter'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, MMMM d, y', 'MMMM d, y', 'MMM d, y', 'M/d/yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale en_GY. */ goog.i18n.DateTimeSymbols_en_GY = { ERAS: ['BC', 'AD'], ERANAMES: ['Before Christ', 'Anno Domini'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], STANDALONEMONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], SHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], WEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], STANDALONEWEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], SHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], STANDALONESHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], NARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['1st quarter', '2nd quarter', '3rd quarter', '4th quarter'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, MMMM d, y', 'MMMM d, y', 'MMM d, y', 'M/d/yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale en_HK. */ goog.i18n.DateTimeSymbols_en_HK = { ERAS: ['BC', 'AD'], ERANAMES: ['Before Christ', 'Anno Domini'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], STANDALONEMONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], SHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], WEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], STANDALONEWEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], SHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], STANDALONESHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], NARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['1st quarter', '2nd quarter', '3rd quarter', '4th quarter'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, d MMMM, y', 'd MMMM, y', 'd MMM, y', 'd/M/yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale en_JM. */ goog.i18n.DateTimeSymbols_en_JM = { ERAS: ['BC', 'AD'], ERANAMES: ['Before Christ', 'Anno Domini'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], STANDALONEMONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], SHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], WEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], STANDALONEWEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], SHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], STANDALONESHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], NARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['1st quarter', '2nd quarter', '3rd quarter', '4th quarter'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, MMMM d, y', 'MMMM d, y', 'MMM d, y', 'd/M/yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale en_MH. */ goog.i18n.DateTimeSymbols_en_MH = { ERAS: ['BC', 'AD'], ERANAMES: ['Before Christ', 'Anno Domini'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], STANDALONEMONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], SHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], WEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], STANDALONEWEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], SHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], STANDALONESHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], NARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['1st quarter', '2nd quarter', '3rd quarter', '4th quarter'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, MMMM d, y', 'MMMM d, y', 'MMM d, y', 'M/d/yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale en_MP. */ goog.i18n.DateTimeSymbols_en_MP = { ERAS: ['BC', 'AD'], ERANAMES: ['Before Christ', 'Anno Domini'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], STANDALONEMONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], SHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], WEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], STANDALONEWEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], SHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], STANDALONESHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], NARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['1st quarter', '2nd quarter', '3rd quarter', '4th quarter'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, MMMM d, y', 'MMMM d, y', 'MMM d, y', 'M/d/yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale en_MT. */ goog.i18n.DateTimeSymbols_en_MT = { ERAS: ['BC', 'AD'], ERANAMES: ['Before Christ', 'Anno Domini'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], STANDALONEMONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], SHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], WEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], STANDALONEWEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], SHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], STANDALONESHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], NARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['1st quarter', '2nd quarter', '3rd quarter', '4th quarter'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, d MMMM y', 'dd MMMM y', 'dd MMM y', 'dd/MM/yyyy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale en_MU. */ goog.i18n.DateTimeSymbols_en_MU = { ERAS: ['BC', 'AD'], ERANAMES: ['Before Christ', 'Anno Domini'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], STANDALONEMONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], SHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], WEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], STANDALONEWEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], SHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], STANDALONESHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], NARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['1st quarter', '2nd quarter', '3rd quarter', '4th quarter'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, MMMM d, y', 'MMMM d, y', 'MMM d, y', 'M/d/yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale en_NA. */ goog.i18n.DateTimeSymbols_en_NA = { ERAS: ['BC', 'AD'], ERANAMES: ['Before Christ', 'Anno Domini'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], STANDALONEMONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], SHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], WEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], STANDALONEWEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], SHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], STANDALONESHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], NARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['1st quarter', '2nd quarter', '3rd quarter', '4th quarter'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, MMMM d, y', 'MMMM d, y', 'MMM d, y', 'M/d/yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale en_NZ. */ goog.i18n.DateTimeSymbols_en_NZ = { ERAS: ['BC', 'AD'], ERANAMES: ['Before Christ', 'Anno Domini'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], STANDALONEMONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], SHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], WEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], STANDALONEWEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], SHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], STANDALONESHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], NARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['1st quarter', '2nd quarter', '3rd quarter', '4th quarter'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd/MM/yyyy', 'd/MM/yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale en_PH. */ goog.i18n.DateTimeSymbols_en_PH = { ERAS: ['BC', 'AD'], ERANAMES: ['Before Christ', 'Anno Domini'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], STANDALONEMONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], SHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], WEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], STANDALONEWEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], SHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], STANDALONESHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], NARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['1st quarter', '2nd quarter', '3rd quarter', '4th quarter'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, MMMM d, y', 'MMMM d, y', 'MMM d, y', 'M/d/yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale en_PK. */ goog.i18n.DateTimeSymbols_en_PK = { ERAS: ['BC', 'AD'], ERANAMES: ['Before Christ', 'Anno Domini'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], STANDALONEMONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], SHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], WEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], STANDALONEWEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], SHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], STANDALONESHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], NARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['1st quarter', '2nd quarter', '3rd quarter', '4th quarter'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'dd-MMM-y', 'dd/MM/yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale en_TT. */ goog.i18n.DateTimeSymbols_en_TT = { ERAS: ['BC', 'AD'], ERANAMES: ['Before Christ', 'Anno Domini'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], STANDALONEMONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], SHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], WEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], STANDALONEWEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], SHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], STANDALONESHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], NARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['1st quarter', '2nd quarter', '3rd quarter', '4th quarter'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, MMMM d, y', 'MMMM d, y', 'MMM d, y', 'M/d/yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale en_UM. */ goog.i18n.DateTimeSymbols_en_UM = { ERAS: ['BC', 'AD'], ERANAMES: ['Before Christ', 'Anno Domini'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], STANDALONEMONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], SHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], WEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], STANDALONEWEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], SHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], STANDALONESHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], NARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['1st quarter', '2nd quarter', '3rd quarter', '4th quarter'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, MMMM d, y', 'MMMM d, y', 'MMM d, y', 'M/d/yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale en_VI. */ goog.i18n.DateTimeSymbols_en_VI = { ERAS: ['BC', 'AD'], ERANAMES: ['Before Christ', 'Anno Domini'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], STANDALONEMONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], SHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], WEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], STANDALONEWEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], SHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], STANDALONESHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], NARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['1st quarter', '2nd quarter', '3rd quarter', '4th quarter'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, MMMM d, y', 'MMMM d, y', 'MMM d, y', 'M/d/yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale en_ZW. */ goog.i18n.DateTimeSymbols_en_ZW = { ERAS: ['BC', 'AD'], ERANAMES: ['Before Christ', 'Anno Domini'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], STANDALONEMONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], SHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], WEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], STANDALONEWEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], SHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], STANDALONESHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], NARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['1st quarter', '2nd quarter', '3rd quarter', '4th quarter'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE dd MMMM y', 'dd MMMM y', 'dd MMM,y', 'd/M/yyyy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale eo. */ goog.i18n.DateTimeSymbols_eo = { ERAS: ['aK', 'pK'], ERANAMES: ['aK', 'pK'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['januaro', 'februaro', 'marto', 'aprilo', 'majo', 'junio', 'julio', 'aŭgusto', 'septembro', 'oktobro', 'novembro', 'decembro'], STANDALONEMONTHS: ['januaro', 'februaro', 'marto', 'aprilo', 'majo', 'junio', 'julio', 'aŭgusto', 'septembro', 'oktobro', 'novembro', 'decembro'], SHORTMONTHS: ['jan', 'feb', 'mar', 'apr', 'maj', 'jun', 'jul', 'aŭg', 'sep', 'okt', 'nov', 'dec'], STANDALONESHORTMONTHS: ['jan', 'feb', 'mar', 'apr', 'maj', 'jun', 'jul', 'aŭg', 'sep', 'okt', 'nov', 'dec'], WEEKDAYS: ['dimanĉo', 'lundo', 'mardo', 'merkredo', 'ĵaŭdo', 'vendredo', 'sabato'], STANDALONEWEEKDAYS: ['dimanĉo', 'lundo', 'mardo', 'merkredo', 'ĵaŭdo', 'vendredo', 'sabato'], SHORTWEEKDAYS: ['di', 'lu', 'ma', 'me', 'ĵa', 've', 'sa'], STANDALONESHORTWEEKDAYS: ['di', 'lu', 'ma', 'me', 'ĵa', 've', 'sa'], NARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], STANDALONENARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], SHORTQUARTERS: ['K1', 'K2', 'K3', 'K4'], QUARTERS: ['1a kvaronjaro', '2a kvaronjaro', '3a kvaronjaro', '4a kvaronjaro'], AMPMS: ['atm', 'ptm'], DATEFORMATS: ['EEEE, d-\'a\' \'de\' MMMM y', 'y-MMMM-dd', 'y-MMM-dd', 'yy-MM-dd'], TIMEFORMATS: ['H-\'a\' \'horo\' \'kaj\' m:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale es_AR. */ goog.i18n.DateTimeSymbols_es_AR = { ERAS: ['a.C.', 'd.C.'], ERANAMES: ['antes de Cristo', 'anno Dómini'], NARROWMONTHS: ['E', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['E', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['enero', 'febrero', 'marzo', 'abril', 'mayo', 'junio', 'julio', 'agosto', 'septiembre', 'octubre', 'noviembre', 'diciembre'], STANDALONEMONTHS: ['enero', 'febrero', 'marzo', 'abril', 'mayo', 'junio', 'julio', 'agosto', 'septiembre', 'octubre', 'noviembre', 'diciembre'], SHORTMONTHS: ['ene', 'feb', 'mar', 'abr', 'may', 'jun', 'jul', 'ago', 'sep', 'oct', 'nov', 'dic'], STANDALONESHORTMONTHS: ['ene', 'feb', 'mar', 'abr', 'mayo', 'jun', 'jul', 'ago', 'sep', 'oct', 'nov', 'dic'], WEEKDAYS: ['domingo', 'lunes', 'martes', 'miércoles', 'jueves', 'viernes', 'sábado'], STANDALONEWEEKDAYS: ['domingo', 'lunes', 'martes', 'miércoles', 'jueves', 'viernes', 'sábado'], SHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mié', 'jue', 'vie', 'sáb'], STANDALONESHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mié', 'jue', 'vie', 'sáb'], NARROWWEEKDAYS: ['D', 'L', 'M', 'X', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'X', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2º trimestre', '3er trimestre', '4º trimestre'], AMPMS: ['a.m.', 'p.m.'], DATEFORMATS: ['EEEE, d \'de\' MMMM \'de\' y', 'd \'de\' MMMM \'de\' y', 'dd/MM/yyyy', 'dd/MM/yy'], TIMEFORMATS: ['HH\'h\'\'\'mm:ss zzzz', 'H:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale es_BO. */ goog.i18n.DateTimeSymbols_es_BO = { ERAS: ['a.C.', 'd.C.'], ERANAMES: ['antes de Cristo', 'anno Dómini'], NARROWMONTHS: ['E', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['E', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['enero', 'febrero', 'marzo', 'abril', 'mayo', 'junio', 'julio', 'agosto', 'septiembre', 'octubre', 'noviembre', 'diciembre'], STANDALONEMONTHS: ['enero', 'febrero', 'marzo', 'abril', 'mayo', 'junio', 'julio', 'agosto', 'septiembre', 'octubre', 'noviembre', 'diciembre'], SHORTMONTHS: ['ene', 'feb', 'mar', 'abr', 'may', 'jun', 'jul', 'ago', 'sep', 'oct', 'nov', 'dic'], STANDALONESHORTMONTHS: ['ene', 'feb', 'mar', 'abr', 'mayo', 'jun', 'jul', 'ago', 'sep', 'oct', 'nov', 'dic'], WEEKDAYS: ['domingo', 'lunes', 'martes', 'miércoles', 'jueves', 'viernes', 'sábado'], STANDALONEWEEKDAYS: ['domingo', 'lunes', 'martes', 'miércoles', 'jueves', 'viernes', 'sábado'], SHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mié', 'jue', 'vie', 'sáb'], STANDALONESHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mié', 'jue', 'vie', 'sáb'], NARROWWEEKDAYS: ['D', 'L', 'M', 'X', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'X', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2º trimestre', '3er trimestre', '4º trimestre'], AMPMS: ['a.m.', 'p.m.'], DATEFORMATS: ['EEEE, d \'de\' MMMM \'de\' y', 'd \'de\' MMMM \'de\' y', 'dd/MM/yyyy', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale es_CL. */ goog.i18n.DateTimeSymbols_es_CL = { ERAS: ['a.C.', 'd.C.'], ERANAMES: ['antes de Cristo', 'anno Dómini'], NARROWMONTHS: ['E', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['E', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['enero', 'febrero', 'marzo', 'abril', 'mayo', 'junio', 'julio', 'agosto', 'septiembre', 'octubre', 'noviembre', 'diciembre'], STANDALONEMONTHS: ['enero', 'febrero', 'marzo', 'abril', 'mayo', 'junio', 'julio', 'agosto', 'septiembre', 'octubre', 'noviembre', 'diciembre'], SHORTMONTHS: ['ene', 'feb', 'mar', 'abr', 'may', 'jun', 'jul', 'ago', 'sep', 'oct', 'nov', 'dic'], STANDALONESHORTMONTHS: ['ene', 'feb', 'mar', 'abr', 'mayo', 'jun', 'jul', 'ago', 'sep', 'oct', 'nov', 'dic'], WEEKDAYS: ['domingo', 'lunes', 'martes', 'miércoles', 'jueves', 'viernes', 'sábado'], STANDALONEWEEKDAYS: ['domingo', 'lunes', 'martes', 'miércoles', 'jueves', 'viernes', 'sábado'], SHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mié', 'jue', 'vie', 'sáb'], STANDALONESHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mié', 'jue', 'vie', 'sáb'], NARROWWEEKDAYS: ['D', 'L', 'M', 'X', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'X', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2º trimestre', '3er trimestre', '4º trimestre'], AMPMS: ['a.m.', 'p.m.'], DATEFORMATS: ['EEEE, d \'de\' MMMM \'de\' y', 'd \'de\' MMMM \'de\' y', 'dd-MM-yyyy', 'dd-MM-yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'H:mm:ss z', 'H:mm:ss', 'H:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale es_CO. */ goog.i18n.DateTimeSymbols_es_CO = { ERAS: ['a.C.', 'd.C.'], ERANAMES: ['antes de Cristo', 'anno Dómini'], NARROWMONTHS: ['E', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['E', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['enero', 'febrero', 'marzo', 'abril', 'mayo', 'junio', 'julio', 'agosto', 'septiembre', 'octubre', 'noviembre', 'diciembre'], STANDALONEMONTHS: ['enero', 'febrero', 'marzo', 'abril', 'mayo', 'junio', 'julio', 'agosto', 'septiembre', 'octubre', 'noviembre', 'diciembre'], SHORTMONTHS: ['ene', 'feb', 'mar', 'abr', 'may', 'jun', 'jul', 'ago', 'sep', 'oct', 'nov', 'dic'], STANDALONESHORTMONTHS: ['ene', 'feb', 'mar', 'abr', 'mayo', 'jun', 'jul', 'ago', 'sep', 'oct', 'nov', 'dic'], WEEKDAYS: ['domingo', 'lunes', 'martes', 'miércoles', 'jueves', 'viernes', 'sábado'], STANDALONEWEEKDAYS: ['domingo', 'lunes', 'martes', 'miércoles', 'jueves', 'viernes', 'sábado'], SHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mié', 'jue', 'vie', 'sáb'], STANDALONESHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mié', 'jue', 'vie', 'sáb'], NARROWWEEKDAYS: ['D', 'L', 'M', 'X', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'X', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2º trimestre', '3er trimestre', '4º trimestre'], AMPMS: ['a.m.', 'p.m.'], DATEFORMATS: ['EEEE, d \'de\' MMMM \'de\' y', 'd \'de\' MMMM \'de\' y', 'd/MM/yyyy', 'd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'H:mm:ss z', 'H:mm:ss', 'H:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale es_CR. */ goog.i18n.DateTimeSymbols_es_CR = { ERAS: ['a.C.', 'd.C.'], ERANAMES: ['antes de Cristo', 'anno Dómini'], NARROWMONTHS: ['E', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['E', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['enero', 'febrero', 'marzo', 'abril', 'mayo', 'junio', 'julio', 'agosto', 'septiembre', 'octubre', 'noviembre', 'diciembre'], STANDALONEMONTHS: ['enero', 'febrero', 'marzo', 'abril', 'mayo', 'junio', 'julio', 'agosto', 'septiembre', 'octubre', 'noviembre', 'diciembre'], SHORTMONTHS: ['ene', 'feb', 'mar', 'abr', 'may', 'jun', 'jul', 'ago', 'sep', 'oct', 'nov', 'dic'], STANDALONESHORTMONTHS: ['ene', 'feb', 'mar', 'abr', 'mayo', 'jun', 'jul', 'ago', 'sep', 'oct', 'nov', 'dic'], WEEKDAYS: ['domingo', 'lunes', 'martes', 'miércoles', 'jueves', 'viernes', 'sábado'], STANDALONEWEEKDAYS: ['domingo', 'lunes', 'martes', 'miércoles', 'jueves', 'viernes', 'sábado'], SHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mié', 'jue', 'vie', 'sáb'], STANDALONESHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mié', 'jue', 'vie', 'sáb'], NARROWWEEKDAYS: ['D', 'L', 'M', 'X', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'X', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2º trimestre', '3er trimestre', '4º trimestre'], AMPMS: ['a.m.', 'p.m.'], DATEFORMATS: ['EEEE, d \'de\' MMMM \'de\' y', 'd \'de\' MMMM \'de\' y', 'dd/MM/yyyy', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale es_DO. */ goog.i18n.DateTimeSymbols_es_DO = { ERAS: ['a.C.', 'd.C.'], ERANAMES: ['antes de Cristo', 'anno Dómini'], NARROWMONTHS: ['E', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['E', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['enero', 'febrero', 'marzo', 'abril', 'mayo', 'junio', 'julio', 'agosto', 'septiembre', 'octubre', 'noviembre', 'diciembre'], STANDALONEMONTHS: ['enero', 'febrero', 'marzo', 'abril', 'mayo', 'junio', 'julio', 'agosto', 'septiembre', 'octubre', 'noviembre', 'diciembre'], SHORTMONTHS: ['ene', 'feb', 'mar', 'abr', 'may', 'jun', 'jul', 'ago', 'sep', 'oct', 'nov', 'dic'], STANDALONESHORTMONTHS: ['ene', 'feb', 'mar', 'abr', 'mayo', 'jun', 'jul', 'ago', 'sep', 'oct', 'nov', 'dic'], WEEKDAYS: ['domingo', 'lunes', 'martes', 'miércoles', 'jueves', 'viernes', 'sábado'], STANDALONEWEEKDAYS: ['domingo', 'lunes', 'martes', 'miércoles', 'jueves', 'viernes', 'sábado'], SHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mié', 'jue', 'vie', 'sáb'], STANDALONESHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mié', 'jue', 'vie', 'sáb'], NARROWWEEKDAYS: ['D', 'L', 'M', 'X', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'X', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2º trimestre', '3er trimestre', '4º trimestre'], AMPMS: ['a.m.', 'p.m.'], DATEFORMATS: ['EEEE, d \'de\' MMMM \'de\' y', 'd \'de\' MMMM \'de\' y', 'dd/MM/yyyy', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale es_EC. */ goog.i18n.DateTimeSymbols_es_EC = { ERAS: ['a.C.', 'd.C.'], ERANAMES: ['antes de Cristo', 'anno Dómini'], NARROWMONTHS: ['E', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['E', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['enero', 'febrero', 'marzo', 'abril', 'mayo', 'junio', 'julio', 'agosto', 'septiembre', 'octubre', 'noviembre', 'diciembre'], STANDALONEMONTHS: ['enero', 'febrero', 'marzo', 'abril', 'mayo', 'junio', 'julio', 'agosto', 'septiembre', 'octubre', 'noviembre', 'diciembre'], SHORTMONTHS: ['ene', 'feb', 'mar', 'abr', 'may', 'jun', 'jul', 'ago', 'sep', 'oct', 'nov', 'dic'], STANDALONESHORTMONTHS: ['ene', 'feb', 'mar', 'abr', 'mayo', 'jun', 'jul', 'ago', 'sep', 'oct', 'nov', 'dic'], WEEKDAYS: ['domingo', 'lunes', 'martes', 'miércoles', 'jueves', 'viernes', 'sábado'], STANDALONEWEEKDAYS: ['domingo', 'lunes', 'martes', 'miércoles', 'jueves', 'viernes', 'sábado'], SHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mié', 'jue', 'vie', 'sáb'], STANDALONESHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mié', 'jue', 'vie', 'sáb'], NARROWWEEKDAYS: ['D', 'L', 'M', 'X', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'X', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2º trimestre', '3er trimestre', '4º trimestre'], AMPMS: ['a.m.', 'p.m.'], DATEFORMATS: ['EEEE, d \'de\' MMMM \'de\' y', 'd \'de\' MMMM \'de\' y', 'dd/MM/yyyy', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'H:mm:ss z', 'H:mm:ss', 'H:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale es_ES. */ goog.i18n.DateTimeSymbols_es_ES = { ERAS: ['a.C.', 'd.C.'], ERANAMES: ['antes de Cristo', 'anno Dómini'], NARROWMONTHS: ['E', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['E', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['enero', 'febrero', 'marzo', 'abril', 'mayo', 'junio', 'julio', 'agosto', 'septiembre', 'octubre', 'noviembre', 'diciembre'], STANDALONEMONTHS: ['enero', 'febrero', 'marzo', 'abril', 'mayo', 'junio', 'julio', 'agosto', 'septiembre', 'octubre', 'noviembre', 'diciembre'], SHORTMONTHS: ['ene', 'feb', 'mar', 'abr', 'may', 'jun', 'jul', 'ago', 'sep', 'oct', 'nov', 'dic'], STANDALONESHORTMONTHS: ['ene', 'feb', 'mar', 'abr', 'mayo', 'jun', 'jul', 'ago', 'sep', 'oct', 'nov', 'dic'], WEEKDAYS: ['domingo', 'lunes', 'martes', 'miércoles', 'jueves', 'viernes', 'sábado'], STANDALONEWEEKDAYS: ['domingo', 'lunes', 'martes', 'miércoles', 'jueves', 'viernes', 'sábado'], SHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mié', 'jue', 'vie', 'sáb'], STANDALONESHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mié', 'jue', 'vie', 'sáb'], NARROWWEEKDAYS: ['D', 'L', 'M', 'X', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'X', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2º trimestre', '3er trimestre', '4º trimestre'], AMPMS: ['a.m.', 'p.m.'], DATEFORMATS: ['EEEE, d \'de\' MMMM \'de\' y', 'd \'de\' MMMM \'de\' y', 'dd/MM/yyyy', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale es_GQ. */ goog.i18n.DateTimeSymbols_es_GQ = { ERAS: ['a.C.', 'd.C.'], ERANAMES: ['antes de Cristo', 'anno Dómini'], NARROWMONTHS: ['E', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['E', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['enero', 'febrero', 'marzo', 'abril', 'mayo', 'junio', 'julio', 'agosto', 'septiembre', 'octubre', 'noviembre', 'diciembre'], STANDALONEMONTHS: ['enero', 'febrero', 'marzo', 'abril', 'mayo', 'junio', 'julio', 'agosto', 'septiembre', 'octubre', 'noviembre', 'diciembre'], SHORTMONTHS: ['ene', 'feb', 'mar', 'abr', 'may', 'jun', 'jul', 'ago', 'sep', 'oct', 'nov', 'dic'], STANDALONESHORTMONTHS: ['ene', 'feb', 'mar', 'abr', 'mayo', 'jun', 'jul', 'ago', 'sep', 'oct', 'nov', 'dic'], WEEKDAYS: ['domingo', 'lunes', 'martes', 'miércoles', 'jueves', 'viernes', 'sábado'], STANDALONEWEEKDAYS: ['domingo', 'lunes', 'martes', 'miércoles', 'jueves', 'viernes', 'sábado'], SHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mié', 'jue', 'vie', 'sáb'], STANDALONESHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mié', 'jue', 'vie', 'sáb'], NARROWWEEKDAYS: ['D', 'L', 'M', 'X', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'X', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2º trimestre', '3er trimestre', '4º trimestre'], AMPMS: ['a.m.', 'p.m.'], DATEFORMATS: ['EEEE, d \'de\' MMMM \'de\' y', 'd \'de\' MMMM \'de\' y', 'dd/MM/yyyy', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale es_GT. */ goog.i18n.DateTimeSymbols_es_GT = { ERAS: ['a.C.', 'd.C.'], ERANAMES: ['antes de Cristo', 'anno Dómini'], NARROWMONTHS: ['E', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['E', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['enero', 'febrero', 'marzo', 'abril', 'mayo', 'junio', 'julio', 'agosto', 'septiembre', 'octubre', 'noviembre', 'diciembre'], STANDALONEMONTHS: ['enero', 'febrero', 'marzo', 'abril', 'mayo', 'junio', 'julio', 'agosto', 'septiembre', 'octubre', 'noviembre', 'diciembre'], SHORTMONTHS: ['ene', 'feb', 'mar', 'abr', 'may', 'jun', 'jul', 'ago', 'sep', 'oct', 'nov', 'dic'], STANDALONESHORTMONTHS: ['ene', 'feb', 'mar', 'abr', 'mayo', 'jun', 'jul', 'ago', 'sep', 'oct', 'nov', 'dic'], WEEKDAYS: ['domingo', 'lunes', 'martes', 'miércoles', 'jueves', 'viernes', 'sábado'], STANDALONEWEEKDAYS: ['domingo', 'lunes', 'martes', 'miércoles', 'jueves', 'viernes', 'sábado'], SHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mié', 'jue', 'vie', 'sáb'], STANDALONESHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mié', 'jue', 'vie', 'sáb'], NARROWWEEKDAYS: ['D', 'L', 'M', 'X', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'X', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2º trimestre', '3er trimestre', '4º trimestre'], AMPMS: ['a.m.', 'p.m.'], DATEFORMATS: ['EEEE, d \'de\' MMMM \'de\' y', 'd \'de\' MMMM \'de\' y', 'd/MM/yyyy', 'd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale es_HN. */ goog.i18n.DateTimeSymbols_es_HN = { ERAS: ['a.C.', 'd.C.'], ERANAMES: ['antes de Cristo', 'anno Dómini'], NARROWMONTHS: ['E', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['E', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['enero', 'febrero', 'marzo', 'abril', 'mayo', 'junio', 'julio', 'agosto', 'septiembre', 'octubre', 'noviembre', 'diciembre'], STANDALONEMONTHS: ['enero', 'febrero', 'marzo', 'abril', 'mayo', 'junio', 'julio', 'agosto', 'septiembre', 'octubre', 'noviembre', 'diciembre'], SHORTMONTHS: ['ene', 'feb', 'mar', 'abr', 'may', 'jun', 'jul', 'ago', 'sep', 'oct', 'nov', 'dic'], STANDALONESHORTMONTHS: ['ene', 'feb', 'mar', 'abr', 'mayo', 'jun', 'jul', 'ago', 'sep', 'oct', 'nov', 'dic'], WEEKDAYS: ['domingo', 'lunes', 'martes', 'miércoles', 'jueves', 'viernes', 'sábado'], STANDALONEWEEKDAYS: ['domingo', 'lunes', 'martes', 'miércoles', 'jueves', 'viernes', 'sábado'], SHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mié', 'jue', 'vie', 'sáb'], STANDALONESHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mié', 'jue', 'vie', 'sáb'], NARROWWEEKDAYS: ['D', 'L', 'M', 'X', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'X', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2º trimestre', '3er trimestre', '4º trimestre'], AMPMS: ['a.m.', 'p.m.'], DATEFORMATS: ['EEEE dd \'de\' MMMM \'de\' y', 'dd \'de\' MMMM \'de\' y', 'dd/MM/yyyy', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale es_MX. */ goog.i18n.DateTimeSymbols_es_MX = { ERAS: ['a.C.', 'd.C.'], ERANAMES: ['antes de Cristo', 'anno Dómini'], NARROWMONTHS: ['E', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['E', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['enero', 'febrero', 'marzo', 'abril', 'mayo', 'junio', 'julio', 'agosto', 'septiembre', 'octubre', 'noviembre', 'diciembre'], STANDALONEMONTHS: ['enero', 'febrero', 'marzo', 'abril', 'mayo', 'junio', 'julio', 'agosto', 'septiembre', 'octubre', 'noviembre', 'diciembre'], SHORTMONTHS: ['ene', 'feb', 'mar', 'abr', 'may', 'jun', 'jul', 'ago', 'sep', 'oct', 'nov', 'dic'], STANDALONESHORTMONTHS: ['ene', 'feb', 'mar', 'abr', 'mayo', 'jun', 'jul', 'ago', 'sep', 'oct', 'nov', 'dic'], WEEKDAYS: ['domingo', 'lunes', 'martes', 'miércoles', 'jueves', 'viernes', 'sábado'], STANDALONEWEEKDAYS: ['domingo', 'lunes', 'martes', 'miércoles', 'jueves', 'viernes', 'sábado'], SHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mié', 'jue', 'vie', 'sáb'], STANDALONESHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mié', 'jue', 'vie', 'sáb'], NARROWWEEKDAYS: ['D', 'L', 'M', 'X', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'X', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2º trimestre', '3er trimestre', '4º trimestre'], AMPMS: ['a.m.', 'p.m.'], DATEFORMATS: ['EEEE, d \'de\' MMMM \'de\' y', 'd \'de\' MMMM \'de\' y', 'dd/MM/yyyy', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale es_NI. */ goog.i18n.DateTimeSymbols_es_NI = { ERAS: ['a.C.', 'd.C.'], ERANAMES: ['antes de Cristo', 'anno Dómini'], NARROWMONTHS: ['E', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['E', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['enero', 'febrero', 'marzo', 'abril', 'mayo', 'junio', 'julio', 'agosto', 'septiembre', 'octubre', 'noviembre', 'diciembre'], STANDALONEMONTHS: ['enero', 'febrero', 'marzo', 'abril', 'mayo', 'junio', 'julio', 'agosto', 'septiembre', 'octubre', 'noviembre', 'diciembre'], SHORTMONTHS: ['ene', 'feb', 'mar', 'abr', 'may', 'jun', 'jul', 'ago', 'sep', 'oct', 'nov', 'dic'], STANDALONESHORTMONTHS: ['ene', 'feb', 'mar', 'abr', 'mayo', 'jun', 'jul', 'ago', 'sep', 'oct', 'nov', 'dic'], WEEKDAYS: ['domingo', 'lunes', 'martes', 'miércoles', 'jueves', 'viernes', 'sábado'], STANDALONEWEEKDAYS: ['domingo', 'lunes', 'martes', 'miércoles', 'jueves', 'viernes', 'sábado'], SHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mié', 'jue', 'vie', 'sáb'], STANDALONESHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mié', 'jue', 'vie', 'sáb'], NARROWWEEKDAYS: ['D', 'L', 'M', 'X', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'X', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2º trimestre', '3er trimestre', '4º trimestre'], AMPMS: ['a.m.', 'p.m.'], DATEFORMATS: ['EEEE, d \'de\' MMMM \'de\' y', 'd \'de\' MMMM \'de\' y', 'dd/MM/yyyy', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale es_PA. */ goog.i18n.DateTimeSymbols_es_PA = { ERAS: ['a.C.', 'd.C.'], ERANAMES: ['antes de Cristo', 'anno Dómini'], NARROWMONTHS: ['E', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['E', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['enero', 'febrero', 'marzo', 'abril', 'mayo', 'junio', 'julio', 'agosto', 'septiembre', 'octubre', 'noviembre', 'diciembre'], STANDALONEMONTHS: ['enero', 'febrero', 'marzo', 'abril', 'mayo', 'junio', 'julio', 'agosto', 'septiembre', 'octubre', 'noviembre', 'diciembre'], SHORTMONTHS: ['ene', 'feb', 'mar', 'abr', 'may', 'jun', 'jul', 'ago', 'sep', 'oct', 'nov', 'dic'], STANDALONESHORTMONTHS: ['ene', 'feb', 'mar', 'abr', 'mayo', 'jun', 'jul', 'ago', 'sep', 'oct', 'nov', 'dic'], WEEKDAYS: ['domingo', 'lunes', 'martes', 'miércoles', 'jueves', 'viernes', 'sábado'], STANDALONEWEEKDAYS: ['domingo', 'lunes', 'martes', 'miércoles', 'jueves', 'viernes', 'sábado'], SHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mié', 'jue', 'vie', 'sáb'], STANDALONESHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mié', 'jue', 'vie', 'sáb'], NARROWWEEKDAYS: ['D', 'L', 'M', 'X', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'X', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2º trimestre', '3er trimestre', '4º trimestre'], AMPMS: ['a.m.', 'p.m.'], DATEFORMATS: ['EEEE, d \'de\' MMMM \'de\' y', 'd \'de\' MMMM \'de\' y', 'MM/dd/yyyy', 'MM/dd/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale es_PE. */ goog.i18n.DateTimeSymbols_es_PE = { ERAS: ['a.C.', 'd.C.'], ERANAMES: ['antes de Cristo', 'anno Dómini'], NARROWMONTHS: ['E', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['E', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['enero', 'febrero', 'marzo', 'abril', 'mayo', 'junio', 'julio', 'agosto', 'septiembre', 'octubre', 'noviembre', 'diciembre'], STANDALONEMONTHS: ['enero', 'febrero', 'marzo', 'abril', 'mayo', 'junio', 'julio', 'agosto', 'septiembre', 'octubre', 'noviembre', 'diciembre'], SHORTMONTHS: ['ene', 'feb', 'mar', 'abr', 'may', 'jun', 'jul', 'ago', 'sep', 'oct', 'nov', 'dic'], STANDALONESHORTMONTHS: ['ene', 'feb', 'mar', 'abr', 'mayo', 'jun', 'jul', 'ago', 'sep', 'oct', 'nov', 'dic'], WEEKDAYS: ['domingo', 'lunes', 'martes', 'miércoles', 'jueves', 'viernes', 'sábado'], STANDALONEWEEKDAYS: ['domingo', 'lunes', 'martes', 'miércoles', 'jueves', 'viernes', 'sábado'], SHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mié', 'jue', 'vie', 'sáb'], STANDALONESHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mié', 'jue', 'vie', 'sáb'], NARROWWEEKDAYS: ['D', 'L', 'M', 'X', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'X', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2º trimestre', '3er trimestre', '4º trimestre'], AMPMS: ['a.m.', 'p.m.'], DATEFORMATS: ['EEEE, d \'de\' MMMM \'de\' y', 'd \'de\' MMMM \'de\' y', 'dd/MM/yyyy', 'd/MM/yy'], TIMEFORMATS: ['HH\'H\'mm\'\'ss\'\' zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale es_PR. */ goog.i18n.DateTimeSymbols_es_PR = { ERAS: ['a.C.', 'd.C.'], ERANAMES: ['antes de Cristo', 'anno Dómini'], NARROWMONTHS: ['E', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['E', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['enero', 'febrero', 'marzo', 'abril', 'mayo', 'junio', 'julio', 'agosto', 'septiembre', 'octubre', 'noviembre', 'diciembre'], STANDALONEMONTHS: ['enero', 'febrero', 'marzo', 'abril', 'mayo', 'junio', 'julio', 'agosto', 'septiembre', 'octubre', 'noviembre', 'diciembre'], SHORTMONTHS: ['ene', 'feb', 'mar', 'abr', 'may', 'jun', 'jul', 'ago', 'sep', 'oct', 'nov', 'dic'], STANDALONESHORTMONTHS: ['ene', 'feb', 'mar', 'abr', 'mayo', 'jun', 'jul', 'ago', 'sep', 'oct', 'nov', 'dic'], WEEKDAYS: ['domingo', 'lunes', 'martes', 'miércoles', 'jueves', 'viernes', 'sábado'], STANDALONEWEEKDAYS: ['domingo', 'lunes', 'martes', 'miércoles', 'jueves', 'viernes', 'sábado'], SHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mié', 'jue', 'vie', 'sáb'], STANDALONESHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mié', 'jue', 'vie', 'sáb'], NARROWWEEKDAYS: ['D', 'L', 'M', 'X', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'X', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2º trimestre', '3er trimestre', '4º trimestre'], AMPMS: ['a.m.', 'p.m.'], DATEFORMATS: ['EEEE, d \'de\' MMMM \'de\' y', 'd \'de\' MMMM \'de\' y', 'MM/dd/yyyy', 'MM/dd/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale es_PY. */ goog.i18n.DateTimeSymbols_es_PY = { ERAS: ['a.C.', 'd.C.'], ERANAMES: ['antes de Cristo', 'anno Dómini'], NARROWMONTHS: ['E', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['E', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['enero', 'febrero', 'marzo', 'abril', 'mayo', 'junio', 'julio', 'agosto', 'septiembre', 'octubre', 'noviembre', 'diciembre'], STANDALONEMONTHS: ['enero', 'febrero', 'marzo', 'abril', 'mayo', 'junio', 'julio', 'agosto', 'septiembre', 'octubre', 'noviembre', 'diciembre'], SHORTMONTHS: ['ene', 'feb', 'mar', 'abr', 'may', 'jun', 'jul', 'ago', 'sep', 'oct', 'nov', 'dic'], STANDALONESHORTMONTHS: ['ene', 'feb', 'mar', 'abr', 'mayo', 'jun', 'jul', 'ago', 'sep', 'oct', 'nov', 'dic'], WEEKDAYS: ['domingo', 'lunes', 'martes', 'miércoles', 'jueves', 'viernes', 'sábado'], STANDALONEWEEKDAYS: ['domingo', 'lunes', 'martes', 'miércoles', 'jueves', 'viernes', 'sábado'], SHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mié', 'jue', 'vie', 'sáb'], STANDALONESHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mié', 'jue', 'vie', 'sáb'], NARROWWEEKDAYS: ['D', 'L', 'M', 'X', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'X', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2º trimestre', '3er trimestre', '4º trimestre'], AMPMS: ['a.m.', 'p.m.'], DATEFORMATS: ['EEEE, d \'de\' MMMM \'de\' y', 'd \'de\' MMMM \'de\' y', 'dd/MM/yyyy', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale es_SV. */ goog.i18n.DateTimeSymbols_es_SV = { ERAS: ['a.C.', 'd.C.'], ERANAMES: ['antes de Cristo', 'anno Dómini'], NARROWMONTHS: ['E', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['E', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['enero', 'febrero', 'marzo', 'abril', 'mayo', 'junio', 'julio', 'agosto', 'septiembre', 'octubre', 'noviembre', 'diciembre'], STANDALONEMONTHS: ['enero', 'febrero', 'marzo', 'abril', 'mayo', 'junio', 'julio', 'agosto', 'septiembre', 'octubre', 'noviembre', 'diciembre'], SHORTMONTHS: ['ene', 'feb', 'mar', 'abr', 'may', 'jun', 'jul', 'ago', 'sep', 'oct', 'nov', 'dic'], STANDALONESHORTMONTHS: ['ene', 'feb', 'mar', 'abr', 'mayo', 'jun', 'jul', 'ago', 'sep', 'oct', 'nov', 'dic'], WEEKDAYS: ['domingo', 'lunes', 'martes', 'miércoles', 'jueves', 'viernes', 'sábado'], STANDALONEWEEKDAYS: ['domingo', 'lunes', 'martes', 'miércoles', 'jueves', 'viernes', 'sábado'], SHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mié', 'jue', 'vie', 'sáb'], STANDALONESHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mié', 'jue', 'vie', 'sáb'], NARROWWEEKDAYS: ['D', 'L', 'M', 'X', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'X', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2º trimestre', '3er trimestre', '4º trimestre'], AMPMS: ['a.m.', 'p.m.'], DATEFORMATS: ['EEEE, d \'de\' MMMM \'de\' y', 'd \'de\' MMMM \'de\' y', 'dd/MM/yyyy', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale es_US. */ goog.i18n.DateTimeSymbols_es_US = { ERAS: ['a.C.', 'd.C.'], ERANAMES: ['antes de Cristo', 'anno Dómini'], NARROWMONTHS: ['E', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['E', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['enero', 'febrero', 'marzo', 'abril', 'mayo', 'junio', 'julio', 'agosto', 'septiembre', 'octubre', 'noviembre', 'diciembre'], STANDALONEMONTHS: ['enero', 'febrero', 'marzo', 'abril', 'mayo', 'junio', 'julio', 'agosto', 'septiembre', 'octubre', 'noviembre', 'diciembre'], SHORTMONTHS: ['ene', 'feb', 'mar', 'abr', 'may', 'jun', 'jul', 'ago', 'sep', 'oct', 'nov', 'dic'], STANDALONESHORTMONTHS: ['ene', 'feb', 'mar', 'abr', 'mayo', 'jun', 'jul', 'ago', 'sep', 'oct', 'nov', 'dic'], WEEKDAYS: ['domingo', 'lunes', 'martes', 'miércoles', 'jueves', 'viernes', 'sábado'], STANDALONEWEEKDAYS: ['domingo', 'lunes', 'martes', 'miércoles', 'jueves', 'viernes', 'sábado'], SHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mié', 'jue', 'vie', 'sáb'], STANDALONESHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mié', 'jue', 'vie', 'sáb'], NARROWWEEKDAYS: ['D', 'L', 'M', 'X', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'X', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2º trimestre', '3er trimestre', '4º trimestre'], AMPMS: ['a.m.', 'p.m.'], DATEFORMATS: ['EEEE, d \'de\' MMMM \'de\' y', 'd \'de\' MMMM \'de\' y', 'MMM d, y', 'M/d/yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale es_UY. */ goog.i18n.DateTimeSymbols_es_UY = { ERAS: ['a.C.', 'd.C.'], ERANAMES: ['antes de Cristo', 'anno Dómini'], NARROWMONTHS: ['E', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['E', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['enero', 'febrero', 'marzo', 'abril', 'mayo', 'junio', 'julio', 'agosto', 'septiembre', 'octubre', 'noviembre', 'diciembre'], STANDALONEMONTHS: ['enero', 'febrero', 'marzo', 'abril', 'mayo', 'junio', 'julio', 'agosto', 'septiembre', 'octubre', 'noviembre', 'diciembre'], SHORTMONTHS: ['ene', 'feb', 'mar', 'abr', 'may', 'jun', 'jul', 'ago', 'sep', 'oct', 'nov', 'dic'], STANDALONESHORTMONTHS: ['ene', 'feb', 'mar', 'abr', 'mayo', 'jun', 'jul', 'ago', 'sep', 'oct', 'nov', 'dic'], WEEKDAYS: ['domingo', 'lunes', 'martes', 'miércoles', 'jueves', 'viernes', 'sábado'], STANDALONEWEEKDAYS: ['domingo', 'lunes', 'martes', 'miércoles', 'jueves', 'viernes', 'sábado'], SHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mié', 'jue', 'vie', 'sáb'], STANDALONESHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mié', 'jue', 'vie', 'sáb'], NARROWWEEKDAYS: ['D', 'L', 'M', 'X', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'X', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2º trimestre', '3er trimestre', '4º trimestre'], AMPMS: ['a.m.', 'p.m.'], DATEFORMATS: ['EEEE, d \'de\' MMMM \'de\' y', 'd \'de\' MMMM \'de\' y', 'dd/MM/yyyy', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale es_VE. */ goog.i18n.DateTimeSymbols_es_VE = { ERAS: ['a.C.', 'd.C.'], ERANAMES: ['antes de Cristo', 'anno Dómini'], NARROWMONTHS: ['E', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['E', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['enero', 'febrero', 'marzo', 'abril', 'mayo', 'junio', 'julio', 'agosto', 'septiembre', 'octubre', 'noviembre', 'diciembre'], STANDALONEMONTHS: ['enero', 'febrero', 'marzo', 'abril', 'mayo', 'junio', 'julio', 'agosto', 'septiembre', 'octubre', 'noviembre', 'diciembre'], SHORTMONTHS: ['ene', 'feb', 'mar', 'abr', 'may', 'jun', 'jul', 'ago', 'sep', 'oct', 'nov', 'dic'], STANDALONESHORTMONTHS: ['ene', 'feb', 'mar', 'abr', 'mayo', 'jun', 'jul', 'ago', 'sep', 'oct', 'nov', 'dic'], WEEKDAYS: ['domingo', 'lunes', 'martes', 'miércoles', 'jueves', 'viernes', 'sábado'], STANDALONEWEEKDAYS: ['domingo', 'lunes', 'martes', 'miércoles', 'jueves', 'viernes', 'sábado'], SHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mié', 'jue', 'vie', 'sáb'], STANDALONESHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mié', 'jue', 'vie', 'sáb'], NARROWWEEKDAYS: ['D', 'L', 'M', 'X', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'X', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2º trimestre', '3er trimestre', '4º trimestre'], AMPMS: ['a.m.', 'p.m.'], DATEFORMATS: ['EEEE, d \'de\' MMMM \'de\' y', 'd \'de\' MMMM \'de\' y', 'dd/MM/yyyy', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale et_EE. */ goog.i18n.DateTimeSymbols_et_EE = { ERAS: ['e.m.a.', 'm.a.j.'], ERANAMES: ['enne meie aega', 'meie aja järgi'], NARROWMONTHS: ['J', 'V', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'V', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['jaanuar', 'veebruar', 'märts', 'aprill', 'mai', 'juuni', 'juuli', 'august', 'september', 'oktoober', 'november', 'detsember'], STANDALONEMONTHS: ['jaanuar', 'veebruar', 'märts', 'aprill', 'mai', 'juuni', 'juuli', 'august', 'september', 'oktoober', 'november', 'detsember'], SHORTMONTHS: ['jaan', 'veebr', 'märts', 'apr', 'mai', 'juuni', 'juuli', 'aug', 'sept', 'okt', 'nov', 'dets'], STANDALONESHORTMONTHS: ['jaan', 'veebr', 'märts', 'apr', 'mai', 'juuni', 'juuli', 'aug', 'sept', 'okt', 'nov', 'dets'], WEEKDAYS: ['pühapäev', 'esmaspäev', 'teisipäev', 'kolmapäev', 'neljapäev', 'reede', 'laupäev'], STANDALONEWEEKDAYS: ['pühapäev', 'esmaspäev', 'teisipäev', 'kolmapäev', 'neljapäev', 'reede', 'laupäev'], SHORTWEEKDAYS: ['P', 'E', 'T', 'K', 'N', 'R', 'L'], STANDALONESHORTWEEKDAYS: ['P', 'E', 'T', 'K', 'N', 'R', 'L'], NARROWWEEKDAYS: ['P', 'E', 'T', 'K', 'N', 'R', 'L'], STANDALONENARROWWEEKDAYS: ['P', 'E', 'T', 'K', 'N', 'R', 'L'], SHORTQUARTERS: ['K1', 'K2', 'K3', 'K4'], QUARTERS: ['1. kvartal', '2. kvartal', '3. kvartal', '4. kvartal'], AMPMS: ['enne keskpäeva', 'pärast keskpäeva'], DATEFORMATS: ['EEEE, d. MMMM y', 'd. MMMM y', 'dd.MM.yyyy', 'dd.MM.yy'], TIMEFORMATS: ['H:mm.ss zzzz', 'H:mm.ss z', 'H:mm.ss', 'H:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale eu_ES. */ goog.i18n.DateTimeSymbols_eu_ES = { ERAS: ['K.a.', 'K.o.'], ERANAMES: ['K.a.', 'K.o.'], NARROWMONTHS: ['U', 'O', 'M', 'A', 'M', 'E', 'U', 'A', 'I', 'U', 'A', 'A'], STANDALONENARROWMONTHS: ['U', 'O', 'M', 'A', 'M', 'E', 'U', 'A', 'I', 'U', 'A', 'A'], MONTHS: ['urtarrila', 'otsaila', 'martxoa', 'apirila', 'maiatza', 'ekaina', 'uztaila', 'abuztua', 'iraila', 'urria', 'azaroa', 'abendua'], STANDALONEMONTHS: ['urtarrila', 'otsaila', 'martxoa', 'apirila', 'maiatza', 'ekaina', 'uztaila', 'abuztua', 'iraila', 'urria', 'azaroa', 'abendua'], SHORTMONTHS: ['urt', 'ots', 'mar', 'api', 'mai', 'eka', 'uzt', 'abu', 'ira', 'urr', 'aza', 'abe'], STANDALONESHORTMONTHS: ['urt', 'ots', 'mar', 'api', 'mai', 'eka', 'uzt', 'abu', 'ira', 'urr', 'aza', 'abe'], WEEKDAYS: ['igandea', 'astelehena', 'asteartea', 'asteazkena', 'osteguna', 'ostirala', 'larunbata'], STANDALONEWEEKDAYS: ['igandea', 'astelehena', 'asteartea', 'asteazkena', 'osteguna', 'ostirala', 'larunbata'], SHORTWEEKDAYS: ['ig', 'al', 'as', 'az', 'og', 'or', 'lr'], STANDALONESHORTWEEKDAYS: ['ig', 'al', 'as', 'az', 'og', 'or', 'lr'], NARROWWEEKDAYS: ['I', 'M', 'A', 'A', 'A', 'O', 'I'], STANDALONENARROWWEEKDAYS: ['I', 'M', 'A', 'L', 'A', 'O', 'I'], SHORTQUARTERS: ['1Hh', '2Hh', '3Hh', '4Hh'], QUARTERS: ['1. hiruhilekoa', '2. hiruhilekoa', '3. hiruhilekoa', '4. hiruhilekoa'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, y\'eko\' MMMM\'ren\' dd\'a\'', 'y\'eko\' MMM\'ren\' dd\'a\'', 'y MMM d', 'yyyy-MM-dd'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale ewo. */ goog.i18n.DateTimeSymbols_ewo = { ERAS: ['oyk', 'ayk'], ERANAMES: ['osúsúa Yésus kiri', 'ámvus Yésus Kirís'], NARROWMONTHS: ['o', 'b', 'l', 'n', 't', 's', 'z', 'm', 'e', 'a', 'd', 'b'], STANDALONENARROWMONTHS: ['o', 'b', 'l', 'n', 't', 's', 'z', 'm', 'e', 'a', 'd', 'b'], MONTHS: ['ngɔn osú', 'ngɔn bɛ̌', 'ngɔn lála', 'ngɔn nyina', 'ngɔn tána', 'ngɔn samǝna', 'ngɔn zamgbála', 'ngɔn mwom', 'ngɔn ebulú', 'ngɔn awóm', 'ngɔn awóm ai dziá', 'ngɔn awóm ai bɛ̌'], STANDALONEMONTHS: ['ngɔn osú', 'ngɔn bɛ̌', 'ngɔn lála', 'ngɔn nyina', 'ngɔn tána', 'ngɔn samǝna', 'ngɔn zamgbála', 'ngɔn mwom', 'ngɔn ebulú', 'ngɔn awóm', 'ngɔn awóm ai dziá', 'ngɔn awóm ai bɛ̌'], SHORTMONTHS: ['ngo', 'ngb', 'ngl', 'ngn', 'ngt', 'ngs', 'ngz', 'ngm', 'nge', 'nga', 'ngad', 'ngab'], STANDALONESHORTMONTHS: ['ngo', 'ngb', 'ngl', 'ngn', 'ngt', 'ngs', 'ngz', 'ngm', 'nge', 'nga', 'ngad', 'ngab'], WEEKDAYS: ['sɔ́ndɔ', 'mɔ́ndi', 'sɔ́ndɔ mǝlú mǝ́bɛ̌', 'sɔ́ndɔ mǝlú mǝ́lɛ́', 'sɔ́ndɔ mǝlú mǝ́nyi', 'fúladé', 'séradé'], STANDALONEWEEKDAYS: ['sɔ́ndɔ', 'mɔ́ndi', 'sɔ́ndɔ mǝlú mǝ́bɛ̌', 'sɔ́ndɔ mǝlú mǝ́lɛ́', 'sɔ́ndɔ mǝlú mǝ́nyi', 'fúladé', 'séradé'], SHORTWEEKDAYS: ['sɔ́n', 'mɔ́n', 'smb', 'sml', 'smn', 'fúl', 'sér'], STANDALONESHORTWEEKDAYS: ['sɔ́n', 'mɔ́n', 'smb', 'sml', 'smn', 'fúl', 'sér'], NARROWWEEKDAYS: ['s', 'm', 's', 's', 's', 'f', 's'], STANDALONENARROWWEEKDAYS: ['s', 'm', 's', 's', 's', 'f', 's'], SHORTQUARTERS: ['nno', 'nnb', 'nnl', 'nnny'], QUARTERS: ['nsámbá ngɔn asú', 'nsámbá ngɔn bɛ̌', 'nsámbá ngɔn lála', 'nsámbá ngɔn nyina'], AMPMS: ['kíkíríg', 'ngǝgógǝle'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'd/M/yyyy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale ewo_CM. */ goog.i18n.DateTimeSymbols_ewo_CM = goog.i18n.DateTimeSymbols_ewo; /** * Date/time formatting symbols for locale fa_AF. */ goog.i18n.DateTimeSymbols_fa_AF = { ZERODIGIT: 0x06F0, ERAS: ['ق.م.', 'م.'], ERANAMES: ['قبل از میلاد', 'میلادی'], NARROWMONTHS: ['ژ', 'ف', 'م', 'آ', 'م', 'ژ', 'ژ', 'ا', 'س', 'ا', 'ن', 'د'], STANDALONENARROWMONTHS: ['ج', 'ف', 'م', 'ا', 'م', 'ج', 'ج', 'ا', 'س', 'ا', 'ن', 'د'], MONTHS: ['جنوری', 'فبروری', 'مارچ', 'اپریل', 'می', 'جون', 'جولای', 'اگست', 'سپتمبر', 'اکتوبر', 'نومبر', 'دسمبر'], STANDALONEMONTHS: ['ژانویه', 'فوریه', 'مارس', 'آوریل', 'مه', 'ژوئن', 'ژوئیه', 'اوت', 'سپتامبر', 'اکتبر', 'نوامبر', 'دسامبر'], SHORTMONTHS: ['جنو', 'فوریهٔ', 'مارس', 'آوریل', 'مـی', 'ژوئن', 'جول', 'اوت', 'سپتامبر', 'اکتبر', 'نوامبر', 'دسم'], STANDALONESHORTMONTHS: ['ژانویه', 'فوریه', 'مارس', 'آوریل', 'مه', 'ژوئن', 'ژوئیه', 'اوت', 'سپتامبر', 'اکتبر', 'نوامبر', 'دسامبر'], WEEKDAYS: ['یکشنبه', 'دوشنبه', 'سه‌شنبه', 'چهارشنبه', 'پنجشنبه', 'جمعه', 'شنبه'], STANDALONEWEEKDAYS: ['یکشنبه', 'دوشنبه', 'سه‌شنبه', 'چهارشنبه', 'پنجشنبه', 'جمعه', 'شنبه'], SHORTWEEKDAYS: ['یکشنبه', 'دوشنبه', 'سه‌شنبه', 'چهارشنبه', 'پنجشنبه', 'جمعه', 'شنبه'], STANDALONESHORTWEEKDAYS: ['یکشنبه', 'دوشنبه', 'سه‌شنبه', 'چهارشنبه', 'پنجشنبه', 'جمعه', 'شنبه'], NARROWWEEKDAYS: ['ی', 'د', 'س', 'چ', 'پ', 'ج', 'ش'], STANDALONENARROWWEEKDAYS: ['ی', 'د', 'س', 'چ', 'پ', 'ج', 'ش'], SHORTQUARTERS: ['س‌م۱', 'س‌م۲', 'س‌م۳', 'س‌م۴'], QUARTERS: ['سه‌ماههٔ اول', 'سه‌ماههٔ دوم', 'سه‌ماههٔ سوم', 'سه‌ماههٔ چهارم'], AMPMS: ['قبل‌ازظهر', 'بعدازظهر'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'yyyy/M/d'], TIMEFORMATS: ['H:mm:ss (zzzz)', 'H:mm:ss (z)', 'H:mm:ss', 'H:mm'], FIRSTDAYOFWEEK: 5, WEEKENDRANGE: [3, 4], FIRSTWEEKCUTOFFDAY: 4 }; /** * Date/time formatting symbols for locale fa_IR. */ goog.i18n.DateTimeSymbols_fa_IR = { ZERODIGIT: 0x06F0, ERAS: ['ق.م.', 'م.'], ERANAMES: ['قبل از میلاد', 'میلادی'], NARROWMONTHS: ['ژ', 'ف', 'م', 'آ', 'م', 'ژ', 'ژ', 'ا', 'س', 'ا', 'ن', 'د'], STANDALONENARROWMONTHS: ['ژ', 'ف', 'م', 'آ', 'م', 'ژ', 'ژ', 'ا', 'س', 'ا', 'ن', 'د'], MONTHS: ['ژانویهٔ', 'فوریهٔ', 'مارس', 'آوریل', 'مهٔ', 'ژوئن', 'ژوئیهٔ', 'اوت', 'سپتامبر', 'اکتبر', 'نوامبر', 'دسامبر'], STANDALONEMONTHS: ['ژانویه', 'فوریه', 'مارس', 'آوریل', 'مه', 'ژوئن', 'ژوئیه', 'اوت', 'سپتامبر', 'اکتبر', 'نوامبر', 'دسامبر'], SHORTMONTHS: ['ژانویهٔ', 'فوریهٔ', 'مارس', 'آوریل', 'مهٔ', 'ژوئن', 'ژوئیهٔ', 'اوت', 'سپتامبر', 'اکتبر', 'نوامبر', 'دسامبر'], STANDALONESHORTMONTHS: ['ژانویه', 'فوریه', 'مارس', 'آوریل', 'مه', 'ژوئن', 'ژوئیه', 'اوت', 'سپتامبر', 'اکتبر', 'نوامبر', 'دسامبر'], WEEKDAYS: ['یکشنبه', 'دوشنبه', 'سه‌شنبه', 'چهارشنبه', 'پنجشنبه', 'جمعه', 'شنبه'], STANDALONEWEEKDAYS: ['یکشنبه', 'دوشنبه', 'سه‌شنبه', 'چهارشنبه', 'پنجشنبه', 'جمعه', 'شنبه'], SHORTWEEKDAYS: ['یکشنبه', 'دوشنبه', 'سه‌شنبه', 'چهارشنبه', 'پنجشنبه', 'جمعه', 'شنبه'], STANDALONESHORTWEEKDAYS: ['یکشنبه', 'دوشنبه', 'سه‌شنبه', 'چهارشنبه', 'پنجشنبه', 'جمعه', 'شنبه'], NARROWWEEKDAYS: ['ی', 'د', 'س', 'چ', 'پ', 'ج', 'ش'], STANDALONENARROWWEEKDAYS: ['ی', 'د', 'س', 'چ', 'پ', 'ج', 'ش'], SHORTQUARTERS: ['س‌م۱', 'س‌م۲', 'س‌م۳', 'س‌م۴'], QUARTERS: ['سه‌ماههٔ اول', 'سه‌ماههٔ دوم', 'سه‌ماههٔ سوم', 'سه‌ماههٔ چهارم'], AMPMS: ['قبل‌ازظهر', 'بعدازظهر'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'yyyy/M/d'], TIMEFORMATS: ['H:mm:ss (zzzz)', 'H:mm:ss (z)', 'H:mm:ss', 'H:mm'], FIRSTDAYOFWEEK: 5, WEEKENDRANGE: [3, 4], FIRSTWEEKCUTOFFDAY: 4 }; /** * Date/time formatting symbols for locale ff. */ goog.i18n.DateTimeSymbols_ff = { ERAS: ['H-I', 'C-I'], ERANAMES: ['Hade Iisa', 'Caggal Iisa'], NARROWMONTHS: ['s', 'c', 'm', 's', 'd', 'k', 'm', 'j', 's', 'y', 'j', 'b'], STANDALONENARROWMONTHS: ['s', 'c', 'm', 's', 'd', 'k', 'm', 'j', 's', 'y', 'j', 'b'], MONTHS: ['siilo', 'colte', 'mbooy', 'seeɗto', 'duujal', 'korse', 'morso', 'juko', 'siilto', 'yarkomaa', 'jolal', 'bowte'], STANDALONEMONTHS: ['siilo', 'colte', 'mbooy', 'seeɗto', 'duujal', 'korse', 'morso', 'juko', 'siilto', 'yarkomaa', 'jolal', 'bowte'], SHORTMONTHS: ['sii', 'col', 'mbo', 'see', 'duu', 'kor', 'mor', 'juk', 'slt', 'yar', 'jol', 'bow'], STANDALONESHORTMONTHS: ['sii', 'col', 'mbo', 'see', 'duu', 'kor', 'mor', 'juk', 'slt', 'yar', 'jol', 'bow'], WEEKDAYS: ['dewo', 'aaɓnde', 'mawbaare', 'njeslaare', 'naasaande', 'mawnde', 'hoore-biir'], STANDALONEWEEKDAYS: ['dewo', 'aaɓnde', 'mawbaare', 'njeslaare', 'naasaande', 'mawnde', 'hoore-biir'], SHORTWEEKDAYS: ['dew', 'aaɓ', 'maw', 'nje', 'naa', 'mwd', 'hbi'], STANDALONESHORTWEEKDAYS: ['dew', 'aaɓ', 'maw', 'nje', 'naa', 'mwd', 'hbi'], NARROWWEEKDAYS: ['d', 'a', 'm', 'n', 'n', 'm', 'h'], STANDALONENARROWWEEKDAYS: ['d', 'a', 'm', 'n', 'n', 'm', 'h'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['Termes 1', 'Termes 2', 'Termes 3', 'Termes 4'], AMPMS: ['subaka', 'kikiiɗe'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM, y', 'd/M/yyyy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale ff_SN. */ goog.i18n.DateTimeSymbols_ff_SN = goog.i18n.DateTimeSymbols_ff; /** * Date/time formatting symbols for locale fi_FI. */ goog.i18n.DateTimeSymbols_fi_FI = { ERAS: ['eKr.', 'jKr.'], ERANAMES: ['ennen Kristuksen syntymää', 'jälkeen Kristuksen syntymän'], NARROWMONTHS: ['T', 'H', 'M', 'H', 'T', 'K', 'H', 'E', 'S', 'L', 'M', 'J'], STANDALONENARROWMONTHS: ['T', 'H', 'M', 'H', 'T', 'K', 'H', 'E', 'S', 'L', 'M', 'J'], MONTHS: ['tammikuuta', 'helmikuuta', 'maaliskuuta', 'huhtikuuta', 'toukokuuta', 'kesäkuuta', 'heinäkuuta', 'elokuuta', 'syyskuuta', 'lokakuuta', 'marraskuuta', 'joulukuuta'], STANDALONEMONTHS: ['tammikuu', 'helmikuu', 'maaliskuu', 'huhtikuu', 'toukokuu', 'kesäkuu', 'heinäkuu', 'elokuu', 'syyskuu', 'lokakuu', 'marraskuu', 'joulukuu'], SHORTMONTHS: ['tammikuuta', 'helmikuuta', 'maaliskuuta', 'huhtikuuta', 'toukokuuta', 'kesäkuuta', 'heinäkuuta', 'elokuuta', 'syyskuuta', 'lokakuuta', 'marraskuuta', 'joulukuuta'], STANDALONESHORTMONTHS: ['tammi', 'helmi', 'maalis', 'huhti', 'touko', 'kesä', 'heinä', 'elo', 'syys', 'loka', 'marras', 'joulu'], WEEKDAYS: ['sunnuntaina', 'maanantaina', 'tiistaina', 'keskiviikkona', 'torstaina', 'perjantaina', 'lauantaina'], STANDALONEWEEKDAYS: ['sunnuntai', 'maanantai', 'tiistai', 'keskiviikko', 'torstai', 'perjantai', 'lauantai'], SHORTWEEKDAYS: ['su', 'ma', 'ti', 'ke', 'to', 'pe', 'la'], STANDALONESHORTWEEKDAYS: ['su', 'ma', 'ti', 'ke', 'to', 'pe', 'la'], NARROWWEEKDAYS: ['S', 'M', 'T', 'K', 'T', 'P', 'L'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'T', 'K', 'T', 'P', 'L'], SHORTQUARTERS: ['1. nelj.', '2. nelj.', '3. nelj.', '4. nelj.'], QUARTERS: ['1. neljännes', '2. neljännes', '3. neljännes', '4. neljännes'], AMPMS: ['ap.', 'ip.'], DATEFORMATS: ['cccc, d. MMMM y', 'd. MMMM y', 'd.M.yyyy', 'd.M.yyyy'], TIMEFORMATS: ['H.mm.ss zzzz', 'H.mm.ss z', 'H.mm.ss', 'H.mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale fil_PH. */ goog.i18n.DateTimeSymbols_fil_PH = { ERAS: ['BC', 'AD'], ERANAMES: ['BC', 'AD'], NARROWMONTHS: ['E', 'P', 'M', 'A', 'M', 'H', 'H', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['E', 'P', 'M', 'A', 'M', 'H', 'H', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['Enero', 'Pebrero', 'Marso', 'Abril', 'Mayo', 'Hunyo', 'Hulyo', 'Agosto', 'Setyembre', 'Oktubre', 'Nobyembre', 'Disyembre'], STANDALONEMONTHS: ['Enero', 'Pebrero', 'Marso', 'Abril', 'Mayo', 'Hunyo', 'Hulyo', 'Agosto', 'Setyembre', 'Oktubre', 'Nobyembre', 'Disyembre'], SHORTMONTHS: ['Ene', 'Peb', 'Mar', 'Abr', 'May', 'Hun', 'Hul', 'Ago', 'Set', 'Okt', 'Nob', 'Dis'], STANDALONESHORTMONTHS: ['Ene', 'Peb', 'Mar', 'Abr', 'May', 'Hun', 'Hul', 'Ago', 'Set', 'Okt', 'Nob', 'Dis'], WEEKDAYS: ['Linggo', 'Lunes', 'Martes', 'Miyerkules', 'Huwebes', 'Biyernes', 'Sabado'], STANDALONEWEEKDAYS: ['Linggo', 'Lunes', 'Martes', 'Miyerkules', 'Huwebes', 'Biyernes', 'Sabado'], SHORTWEEKDAYS: ['Lin', 'Lun', 'Mar', 'Mye', 'Huw', 'Bye', 'Sab'], STANDALONESHORTWEEKDAYS: ['Lin', 'Lun', 'Mar', 'Miy', 'Huw', 'Biy', 'Sab'], NARROWWEEKDAYS: ['L', 'L', 'M', 'M', 'H', 'B', 'S'], STANDALONENARROWWEEKDAYS: ['L', 'L', 'M', 'M', 'H', 'B', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['ika-1 sangkapat', 'ika-2 sangkapat', 'ika-3 quarter', 'ika-4 na quarter'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, MMMM dd y', 'MMMM d, y', 'MMM d, y', 'M/d/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale fo. */ goog.i18n.DateTimeSymbols_fo = { ERAS: ['f.Kr.', 'e.Kr.'], ERANAMES: ['fyrir Krist', 'eftir Krist'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['januar', 'februar', 'mars', 'apríl', 'mai', 'juni', 'juli', 'august', 'september', 'oktober', 'november', 'desember'], STANDALONEMONTHS: ['januar', 'februar', 'mars', 'apríl', 'mai', 'juni', 'juli', 'august', 'september', 'oktober', 'november', 'desember'], SHORTMONTHS: ['jan', 'feb', 'mar', 'apr', 'mai', 'jun', 'jul', 'aug', 'sep', 'okt', 'nov', 'des'], STANDALONESHORTMONTHS: ['jan', 'feb', 'mar', 'apr', 'mai', 'jun', 'jul', 'aug', 'sep', 'okt', 'nov', 'des'], WEEKDAYS: ['sunnudagur', 'mánadagur', 'týsdagur', 'mikudagur', 'hósdagur', 'fríggjadagur', 'leygardagur'], STANDALONEWEEKDAYS: ['sunnudagur', 'mánadagur', 'týsdagur', 'mikudagur', 'hósdagur', 'fríggjadagur', 'leygardagur'], SHORTWEEKDAYS: ['sun', 'mán', 'týs', 'mik', 'hós', 'frí', 'ley'], STANDALONESHORTWEEKDAYS: ['sun', 'mán', 'týs', 'mik', 'hós', 'frí', 'ley'], NARROWWEEKDAYS: ['S', 'M', 'T', 'M', 'H', 'F', 'L'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'T', 'M', 'H', 'F', 'L'], SHORTQUARTERS: ['K1', 'K2', 'K3', 'K4'], QUARTERS: ['1. kvartal', '2. kvartal', '3. kvartal', '4. kvartal'], AMPMS: ['um fyrrapartur', 'um seinnapartur'], DATEFORMATS: ['EEEE dd MMMM y', 'd. MMM y', 'dd-MM-yyyy', 'dd-MM-yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale fo_FO. */ goog.i18n.DateTimeSymbols_fo_FO = goog.i18n.DateTimeSymbols_fo; /** * Date/time formatting symbols for locale fr_BE. */ goog.i18n.DateTimeSymbols_fr_BE = { ERAS: ['av. J.-C.', 'ap. J.-C.'], ERANAMES: ['avant Jésus-Christ', 'après Jésus-Christ'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], STANDALONEMONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], SHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], STANDALONESHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], WEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], STANDALONEWEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], SHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], STANDALONESHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], NARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2e trimestre', '3e trimestre', '4e trimestre'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'd/MM/yy'], TIMEFORMATS: ['H \'h\' mm \'min\' ss \'s\' zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale fr_BF. */ goog.i18n.DateTimeSymbols_fr_BF = { ERAS: ['av. J.-C.', 'ap. J.-C.'], ERANAMES: ['avant Jésus-Christ', 'après Jésus-Christ'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], STANDALONEMONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], SHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], STANDALONESHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], WEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], STANDALONEWEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], SHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], STANDALONESHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], NARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2e trimestre', '3e trimestre', '4e trimestre'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale fr_BI. */ goog.i18n.DateTimeSymbols_fr_BI = { ERAS: ['av. J.-C.', 'ap. J.-C.'], ERANAMES: ['avant Jésus-Christ', 'après Jésus-Christ'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], STANDALONEMONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], SHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], STANDALONESHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], WEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], STANDALONEWEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], SHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], STANDALONESHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], NARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2e trimestre', '3e trimestre', '4e trimestre'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale fr_BJ. */ goog.i18n.DateTimeSymbols_fr_BJ = { ERAS: ['av. J.-C.', 'ap. J.-C.'], ERANAMES: ['avant Jésus-Christ', 'après Jésus-Christ'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], STANDALONEMONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], SHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], STANDALONESHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], WEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], STANDALONEWEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], SHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], STANDALONESHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], NARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2e trimestre', '3e trimestre', '4e trimestre'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale fr_BL. */ goog.i18n.DateTimeSymbols_fr_BL = { ERAS: ['av. J.-C.', 'ap. J.-C.'], ERANAMES: ['avant Jésus-Christ', 'après Jésus-Christ'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], STANDALONEMONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], SHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], STANDALONESHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], WEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], STANDALONEWEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], SHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], STANDALONESHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], NARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2e trimestre', '3e trimestre', '4e trimestre'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale fr_CD. */ goog.i18n.DateTimeSymbols_fr_CD = { ERAS: ['av. J.-C.', 'ap. J.-C.'], ERANAMES: ['avant Jésus-Christ', 'après Jésus-Christ'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], STANDALONEMONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], SHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], STANDALONESHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], WEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], STANDALONEWEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], SHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], STANDALONESHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], NARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2e trimestre', '3e trimestre', '4e trimestre'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale fr_CF. */ goog.i18n.DateTimeSymbols_fr_CF = { ERAS: ['av. J.-C.', 'ap. J.-C.'], ERANAMES: ['avant Jésus-Christ', 'après Jésus-Christ'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], STANDALONEMONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], SHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], STANDALONESHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], WEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], STANDALONEWEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], SHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], STANDALONESHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], NARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2e trimestre', '3e trimestre', '4e trimestre'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale fr_CG. */ goog.i18n.DateTimeSymbols_fr_CG = { ERAS: ['av. J.-C.', 'ap. J.-C.'], ERANAMES: ['avant Jésus-Christ', 'après Jésus-Christ'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], STANDALONEMONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], SHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], STANDALONESHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], WEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], STANDALONEWEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], SHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], STANDALONESHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], NARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2e trimestre', '3e trimestre', '4e trimestre'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale fr_CH. */ goog.i18n.DateTimeSymbols_fr_CH = { ERAS: ['av. J.-C.', 'ap. J.-C.'], ERANAMES: ['avant Jésus-Christ', 'après Jésus-Christ'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], STANDALONEMONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], SHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], STANDALONESHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], WEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], STANDALONEWEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], SHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], STANDALONESHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], NARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2e trimestre', '3e trimestre', '4e trimestre'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'dd.MM.yy'], TIMEFORMATS: ['HH.mm:ss \'h\' zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale fr_CI. */ goog.i18n.DateTimeSymbols_fr_CI = { ERAS: ['av. J.-C.', 'ap. J.-C.'], ERANAMES: ['avant Jésus-Christ', 'après Jésus-Christ'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], STANDALONEMONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], SHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], STANDALONESHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], WEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], STANDALONEWEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], SHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], STANDALONESHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], NARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2e trimestre', '3e trimestre', '4e trimestre'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale fr_CM. */ goog.i18n.DateTimeSymbols_fr_CM = { ERAS: ['av. J.-C.', 'ap. J.-C.'], ERANAMES: ['avant Jésus-Christ', 'après Jésus-Christ'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], STANDALONEMONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], SHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], STANDALONESHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], WEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], STANDALONEWEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], SHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], STANDALONESHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], NARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2e trimestre', '3e trimestre', '4e trimestre'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale fr_DJ. */ goog.i18n.DateTimeSymbols_fr_DJ = { ERAS: ['av. J.-C.', 'ap. J.-C.'], ERANAMES: ['avant Jésus-Christ', 'après Jésus-Christ'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], STANDALONEMONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], SHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], STANDALONESHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], WEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], STANDALONEWEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], SHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], STANDALONESHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], NARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2e trimestre', '3e trimestre', '4e trimestre'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 5, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 4 }; /** * Date/time formatting symbols for locale fr_FR. */ goog.i18n.DateTimeSymbols_fr_FR = { ERAS: ['av. J.-C.', 'ap. J.-C.'], ERANAMES: ['avant Jésus-Christ', 'après Jésus-Christ'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], STANDALONEMONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], SHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], STANDALONESHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], WEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], STANDALONEWEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], SHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], STANDALONESHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], NARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2e trimestre', '3e trimestre', '4e trimestre'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale fr_GA. */ goog.i18n.DateTimeSymbols_fr_GA = { ERAS: ['av. J.-C.', 'ap. J.-C.'], ERANAMES: ['avant Jésus-Christ', 'après Jésus-Christ'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], STANDALONEMONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], SHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], STANDALONESHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], WEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], STANDALONEWEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], SHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], STANDALONESHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], NARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2e trimestre', '3e trimestre', '4e trimestre'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale fr_GF. */ goog.i18n.DateTimeSymbols_fr_GF = { ERAS: ['av. J.-C.', 'ap. J.-C.'], ERANAMES: ['avant Jésus-Christ', 'après Jésus-Christ'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], STANDALONEMONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], SHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], STANDALONESHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], WEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], STANDALONEWEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], SHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], STANDALONESHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], NARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2e trimestre', '3e trimestre', '4e trimestre'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale fr_GN. */ goog.i18n.DateTimeSymbols_fr_GN = { ERAS: ['av. J.-C.', 'ap. J.-C.'], ERANAMES: ['avant Jésus-Christ', 'après Jésus-Christ'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], STANDALONEMONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], SHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], STANDALONESHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], WEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], STANDALONEWEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], SHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], STANDALONESHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], NARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2e trimestre', '3e trimestre', '4e trimestre'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale fr_GP. */ goog.i18n.DateTimeSymbols_fr_GP = { ERAS: ['av. J.-C.', 'ap. J.-C.'], ERANAMES: ['avant Jésus-Christ', 'après Jésus-Christ'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], STANDALONEMONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], SHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], STANDALONESHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], WEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], STANDALONEWEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], SHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], STANDALONESHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], NARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2e trimestre', '3e trimestre', '4e trimestre'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale fr_GQ. */ goog.i18n.DateTimeSymbols_fr_GQ = { ERAS: ['av. J.-C.', 'ap. J.-C.'], ERANAMES: ['avant Jésus-Christ', 'après Jésus-Christ'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], STANDALONEMONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], SHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], STANDALONESHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], WEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], STANDALONEWEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], SHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], STANDALONESHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], NARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2e trimestre', '3e trimestre', '4e trimestre'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale fr_KM. */ goog.i18n.DateTimeSymbols_fr_KM = { ERAS: ['av. J.-C.', 'ap. J.-C.'], ERANAMES: ['avant Jésus-Christ', 'après Jésus-Christ'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], STANDALONEMONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], SHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], STANDALONESHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], WEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], STANDALONEWEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], SHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], STANDALONESHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], NARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2e trimestre', '3e trimestre', '4e trimestre'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale fr_LU. */ goog.i18n.DateTimeSymbols_fr_LU = { ERAS: ['av. J.-C.', 'ap. J.-C.'], ERANAMES: ['avant Jésus-Christ', 'après Jésus-Christ'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], STANDALONEMONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], SHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], STANDALONESHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], WEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], STANDALONEWEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], SHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], STANDALONESHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], NARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2e trimestre', '3e trimestre', '4e trimestre'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale fr_MC. */ goog.i18n.DateTimeSymbols_fr_MC = { ERAS: ['av. J.-C.', 'ap. J.-C.'], ERANAMES: ['avant Jésus-Christ', 'après Jésus-Christ'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], STANDALONEMONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], SHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], STANDALONESHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], WEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], STANDALONEWEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], SHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], STANDALONESHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], NARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2e trimestre', '3e trimestre', '4e trimestre'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale fr_MF. */ goog.i18n.DateTimeSymbols_fr_MF = { ERAS: ['av. J.-C.', 'ap. J.-C.'], ERANAMES: ['avant Jésus-Christ', 'après Jésus-Christ'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], STANDALONEMONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], SHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], STANDALONESHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], WEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], STANDALONEWEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], SHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], STANDALONESHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], NARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2e trimestre', '3e trimestre', '4e trimestre'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale fr_MG. */ goog.i18n.DateTimeSymbols_fr_MG = { ERAS: ['av. J.-C.', 'ap. J.-C.'], ERANAMES: ['avant Jésus-Christ', 'après Jésus-Christ'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], STANDALONEMONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], SHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], STANDALONESHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], WEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], STANDALONEWEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], SHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], STANDALONESHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], NARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2e trimestre', '3e trimestre', '4e trimestre'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale fr_ML. */ goog.i18n.DateTimeSymbols_fr_ML = { ERAS: ['av. J.-C.', 'ap. J.-C.'], ERANAMES: ['avant Jésus-Christ', 'après Jésus-Christ'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], STANDALONEMONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], SHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], STANDALONESHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], WEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], STANDALONEWEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], SHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], STANDALONESHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], NARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2e trimestre', '3e trimestre', '4e trimestre'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale fr_MQ. */ goog.i18n.DateTimeSymbols_fr_MQ = { ERAS: ['av. J.-C.', 'ap. J.-C.'], ERANAMES: ['avant Jésus-Christ', 'après Jésus-Christ'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], STANDALONEMONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], SHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], STANDALONESHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], WEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], STANDALONEWEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], SHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], STANDALONESHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], NARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2e trimestre', '3e trimestre', '4e trimestre'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale fr_NE. */ goog.i18n.DateTimeSymbols_fr_NE = { ERAS: ['av. J.-C.', 'ap. J.-C.'], ERANAMES: ['avant Jésus-Christ', 'après Jésus-Christ'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], STANDALONEMONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], SHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], STANDALONESHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], WEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], STANDALONEWEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], SHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], STANDALONESHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], NARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2e trimestre', '3e trimestre', '4e trimestre'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale fr_RE. */ goog.i18n.DateTimeSymbols_fr_RE = { ERAS: ['av. J.-C.', 'ap. J.-C.'], ERANAMES: ['avant Jésus-Christ', 'après Jésus-Christ'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], STANDALONEMONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], SHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], STANDALONESHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], WEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], STANDALONEWEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], SHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], STANDALONESHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], NARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2e trimestre', '3e trimestre', '4e trimestre'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale fr_RW. */ goog.i18n.DateTimeSymbols_fr_RW = { ERAS: ['av. J.-C.', 'ap. J.-C.'], ERANAMES: ['avant Jésus-Christ', 'après Jésus-Christ'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], STANDALONEMONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], SHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], STANDALONESHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], WEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], STANDALONEWEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], SHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], STANDALONESHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], NARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2e trimestre', '3e trimestre', '4e trimestre'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale fr_SN. */ goog.i18n.DateTimeSymbols_fr_SN = { ERAS: ['av. J.-C.', 'ap. J.-C.'], ERANAMES: ['avant Jésus-Christ', 'après Jésus-Christ'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], STANDALONEMONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], SHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], STANDALONESHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], WEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], STANDALONEWEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], SHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], STANDALONESHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], NARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2e trimestre', '3e trimestre', '4e trimestre'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale fr_TD. */ goog.i18n.DateTimeSymbols_fr_TD = { ERAS: ['av. J.-C.', 'ap. J.-C.'], ERANAMES: ['avant Jésus-Christ', 'après Jésus-Christ'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], STANDALONEMONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], SHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], STANDALONESHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], WEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], STANDALONEWEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], SHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], STANDALONESHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], NARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2e trimestre', '3e trimestre', '4e trimestre'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale fr_TG. */ goog.i18n.DateTimeSymbols_fr_TG = { ERAS: ['av. J.-C.', 'ap. J.-C.'], ERANAMES: ['avant Jésus-Christ', 'après Jésus-Christ'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], STANDALONEMONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], SHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], STANDALONESHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], WEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], STANDALONEWEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], SHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], STANDALONESHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], NARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2e trimestre', '3e trimestre', '4e trimestre'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale fr_YT. */ goog.i18n.DateTimeSymbols_fr_YT = { ERAS: ['av. J.-C.', 'ap. J.-C.'], ERANAMES: ['avant Jésus-Christ', 'après Jésus-Christ'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], STANDALONEMONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], SHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], STANDALONESHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], WEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], STANDALONEWEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], SHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], STANDALONESHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], NARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2e trimestre', '3e trimestre', '4e trimestre'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale fur. */ goog.i18n.DateTimeSymbols_fur = { ERAS: ['pdC', 'ddC'], ERANAMES: ['pdC', 'ddC'], NARROWMONTHS: ['Z', 'F', 'M', 'A', 'M', 'J', 'L', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['Z', 'F', 'M', 'A', 'M', 'J', 'L', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['Zenâr', 'Fevrâr', 'Març', 'Avrîl', 'Mai', 'Jugn', 'Lui', 'Avost', 'Setembar', 'Otubar', 'Novembar', 'Dicembar'], STANDALONEMONTHS: ['Zenâr', 'Fevrâr', 'Març', 'Avrîl', 'Mai', 'Jugn', 'Lui', 'Avost', 'Setembar', 'Otubar', 'Novembar', 'Dicembar'], SHORTMONTHS: ['Zen', 'Fev', 'Mar', 'Avr', 'Mai', 'Jug', 'Lui', 'Avo', 'Set', 'Otu', 'Nov', 'Dic'], STANDALONESHORTMONTHS: ['Zen', 'Fev', 'Mar', 'Avr', 'Mai', 'Jug', 'Lui', 'Avo', 'Set', 'Otu', 'Nov', 'Dic'], WEEKDAYS: ['domenie', 'lunis', 'martars', 'miercus', 'joibe', 'vinars', 'sabide'], STANDALONEWEEKDAYS: ['domenie', 'lunis', 'martars', 'miercus', 'joibe', 'vinars', 'sabide'], SHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mie', 'joi', 'vin', 'sab'], STANDALONESHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mie', 'joi', 'vin', 'sab'], NARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['Prin trimestri', 'Secont trimestri', 'Tierç trimestri', 'Cuart trimestri'], AMPMS: ['a.', 'p.'], DATEFORMATS: ['EEEE d \'di\' MMMM \'dal\' y', 'd \'di\' MMMM \'dal\' y', 'dd/MM/yyyy', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale fur_IT. */ goog.i18n.DateTimeSymbols_fur_IT = goog.i18n.DateTimeSymbols_fur; /** * Date/time formatting symbols for locale ga. */ goog.i18n.DateTimeSymbols_ga = { ERAS: ['RC', 'AD'], ERANAMES: ['Roimh Chríost', 'Anno Domini'], NARROWMONTHS: ['E', 'F', 'M', 'A', 'B', 'M', 'I', 'L', 'M', 'D', 'S', 'N'], STANDALONENARROWMONTHS: ['E', 'F', 'M', 'A', 'B', 'M', 'I', 'L', 'M', 'D', 'S', 'N'], MONTHS: ['Eanáir', 'Feabhra', 'Márta', 'Aibreán', 'Bealtaine', 'Meitheamh', 'Iúil', 'Lúnasa', 'Meán Fómhair', 'Deireadh Fómhair', 'Samhain', 'Nollaig'], STANDALONEMONTHS: ['Eanáir', 'Feabhra', 'Márta', 'Aibreán', 'Bealtaine', 'Meitheamh', 'Iúil', 'Lúnasa', 'Meán Fómhair', 'Deireadh Fómhair', 'Samhain', 'Nollaig'], SHORTMONTHS: ['Ean', 'Feabh', 'Márta', 'Aib', 'Beal', 'Meith', 'Iúil', 'Lún', 'MFómh', 'DFómh', 'Samh', 'Noll'], STANDALONESHORTMONTHS: ['Ean', 'Feabh', 'Márta', 'Aib', 'Beal', 'Meith', 'Iúil', 'Lún', 'MFómh', 'DFómh', 'Samh', 'Noll'], WEEKDAYS: ['Dé Domhnaigh', 'Dé Luain', 'Dé Máirt', 'Dé Céadaoin', 'Déardaoin', 'Dé hAoine', 'Dé Sathairn'], STANDALONEWEEKDAYS: ['Dé Domhnaigh', 'Dé Luain', 'Dé Máirt', 'Dé Céadaoin', 'Déardaoin', 'Dé hAoine', 'Dé Sathairn'], SHORTWEEKDAYS: ['Domh', 'Luan', 'Máirt', 'Céad', 'Déar', 'Aoine', 'Sath'], STANDALONESHORTWEEKDAYS: ['Domh', 'Luan', 'Máirt', 'Céad', 'Déar', 'Aoine', 'Sath'], NARROWWEEKDAYS: ['D', 'L', 'M', 'C', 'D', 'A', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'C', 'D', 'A', 'S'], SHORTQUARTERS: ['R1', 'R2', 'R3', 'R4'], QUARTERS: ['1ú ráithe', '2ú ráithe', '3ú ráithe', '4ú ráithe'], AMPMS: ['a.m.', 'p.m.'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yyyy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale ga_IE. */ goog.i18n.DateTimeSymbols_ga_IE = goog.i18n.DateTimeSymbols_ga; /** * Date/time formatting symbols for locale gl_ES. */ goog.i18n.DateTimeSymbols_gl_ES = { ERAS: ['a.C.', 'd.C.'], ERANAMES: ['antes de Cristo', 'despois de Cristo'], NARROWMONTHS: ['X', 'F', 'M', 'A', 'M', 'X', 'X', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['X', 'F', 'M', 'A', 'M', 'X', 'X', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['Xaneiro', 'Febreiro', 'Marzo', 'Abril', 'Maio', 'Xuño', 'Xullo', 'Agosto', 'Setembro', 'Outubro', 'Novembro', 'Decembro'], STANDALONEMONTHS: ['Xaneiro', 'Febreiro', 'Marzo', 'Abril', 'Maio', 'Xuño', 'Xullo', 'Agosto', 'Setembro', 'Outubro', 'Novembro', 'Decembro'], SHORTMONTHS: ['Xan', 'Feb', 'Mar', 'Abr', 'Mai', 'Xuñ', 'Xul', 'Ago', 'Set', 'Out', 'Nov', 'Dec'], STANDALONESHORTMONTHS: ['Xan', 'Feb', 'Mar', 'Abr', 'Mai', 'Xuñ', 'Xul', 'Ago', 'Set', 'Out', 'Nov', 'Dec'], WEEKDAYS: ['Domingo', 'Luns', 'Martes', 'Mércores', 'Xoves', 'Venres', 'Sábado'], STANDALONEWEEKDAYS: ['Domingo', 'Luns', 'Martes', 'Mércores', 'Xoves', 'Venres', 'Sábado'], SHORTWEEKDAYS: ['Dom', 'Lun', 'Mar', 'Mér', 'Xov', 'Ven', 'Sáb'], STANDALONESHORTWEEKDAYS: ['Dom', 'Lun', 'Mar', 'Mér', 'Xov', 'Ven', 'Sáb'], NARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'X', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'X', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1o trimestre', '2o trimestre', '3o trimestre', '4o trimestre'], AMPMS: ['a.m.', 'p.m.'], DATEFORMATS: ['EEEE dd MMMM y', 'dd MMMM y', 'd MMM, y', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale gsw_CH. */ goog.i18n.DateTimeSymbols_gsw_CH = { ERAS: ['v. Chr.', 'n. Chr.'], ERANAMES: ['v. Chr.', 'n. Chr.'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['Januar', 'Februar', 'März', 'April', 'Mai', 'Juni', 'Juli', 'Auguscht', 'Septämber', 'Oktoober', 'Novämber', 'Dezämber'], STANDALONEMONTHS: ['Januar', 'Februar', 'März', 'April', 'Mai', 'Juni', 'Juli', 'Auguscht', 'Septämber', 'Oktoober', 'Novämber', 'Dezämber'], SHORTMONTHS: ['Jan', 'Feb', 'Mär', 'Apr', 'Mai', 'Jun', 'Jul', 'Aug', 'Sep', 'Okt', 'Nov', 'Dez'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mär', 'Apr', 'Mai', 'Jun', 'Jul', 'Aug', 'Sep', 'Okt', 'Nov', 'Dez'], WEEKDAYS: ['Sunntig', 'Määntig', 'Ziischtig', 'Mittwuch', 'Dunschtig', 'Friitig', 'Samschtig'], STANDALONEWEEKDAYS: ['Sunntig', 'Määntig', 'Ziischtig', 'Mittwuch', 'Dunschtig', 'Friitig', 'Samschtig'], SHORTWEEKDAYS: ['Su.', 'Mä.', 'Zi.', 'Mi.', 'Du.', 'Fr.', 'Sa.'], STANDALONESHORTWEEKDAYS: ['Su.', 'Mä.', 'Zi.', 'Mi.', 'Du.', 'Fr.', 'Sa.'], NARROWWEEKDAYS: ['S', 'M', 'D', 'M', 'D', 'F', 'S'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'D', 'M', 'D', 'F', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['1. Quartal', '2. Quartal', '3. Quartal', '4. Quartal'], AMPMS: ['vorm.', 'nam.'], DATEFORMATS: ['EEEE, d. MMMM y', 'd. MMMM y', 'dd.MM.yyyy', 'dd.MM.yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale gu_IN. */ goog.i18n.DateTimeSymbols_gu_IN = { ERAS: ['ઈલુના જન્મ પહેસાં', 'ઇસવીસન'], ERANAMES: ['ઈસવીસન પૂર્વે', 'ઇસવીસન'], NARROWMONTHS: ['જા', 'ફે', 'મા', 'એ', 'મે', 'જૂ', 'જુ', 'ઑ', 'સ', 'ઑ', 'ન', 'ડિ'], STANDALONENARROWMONTHS: ['જા', 'ફે', 'મા', 'એ', 'મે', 'જૂ', 'જુ', 'ઑ', 'સ', 'ઑ', 'ન', 'ડિ'], MONTHS: ['જાન્યુઆરી', 'ફેબ્રુઆરી', 'માર્ચ', 'એપ્રિલ', 'મે', 'જૂન', 'જુલાઈ', 'ઑગસ્ટ', 'સપ્ટેમ્બર', 'ઑક્ટોબર', 'નવેમ્બર', 'ડિસેમ્બર'], STANDALONEMONTHS: ['જાન્યુઆરી', 'ફેબ્રુઆરી', 'માર્ચ', 'એપ્રિલ', 'મે', 'જૂન', 'જુલાઈ', 'ઑગસ્ટ', 'સપ્ટેમ્બર', 'ઑક્ટોબર', 'નવેમ્બર', 'ડિસેમ્બર'], SHORTMONTHS: ['જાન્યુ', 'ફેબ્રુ', 'માર્ચ', 'એપ્રિલ', 'મે', 'જૂન', 'જુલાઈ', 'ઑગસ્ટ', 'સપ્ટે', 'ઑક્ટો', 'નવે', 'ડિસે'], STANDALONESHORTMONTHS: ['જાન્યુ', 'ફેબ્રુ', 'માર્ચ', 'એપ્રિલ', 'મે', 'જૂન', 'જુલાઈ', 'ઑગસ્ટ', 'સપ્ટે', 'ઑક્ટો', 'નવે', 'ડિસે'], WEEKDAYS: ['રવિવાર', 'સોમવાર', 'મંગળવાર', 'બુધવાર', 'ગુરુવાર', 'શુક્રવાર', 'શનિવાર'], STANDALONEWEEKDAYS: ['રવિવાર', 'સોમવાર', 'મંગળવાર', 'બુધવાર', 'ગુરુવાર', 'શુક્રવાર', 'શનિવાર'], SHORTWEEKDAYS: ['રવિ', 'સોમ', 'મંગળ', 'બુધ', 'ગુરુ', 'શુક્ર', 'શનિ'], STANDALONESHORTWEEKDAYS: ['રવિ', 'સોમ', 'મંગળ', 'બુધ', 'ગુરુ', 'શુક્ર', 'શનિ'], NARROWWEEKDAYS: ['ર', 'સો', 'મં', 'બુ', 'ગુ', 'શુ', 'શ'], STANDALONENARROWWEEKDAYS: ['ર', 'સો', 'મં', 'બુ', 'ગુ', 'શુ', 'શ'], SHORTQUARTERS: ['પેહલા હંત 1', 'Q2', 'Q3', 'ચૌતા હંત 4'], QUARTERS: ['પેહલા હંત 1', 'ડૂસઋા હંત 2', 'તીસઋા હંત 3', 'ચૌતા હંત 4'], AMPMS: ['am', 'pm'], DATEFORMATS: ['EEEE, d MMMM, y', 'd MMMM, y', 'd MMM, y', 'd-MM-yy'], TIMEFORMATS: ['hh:mm:ss a zzzz', 'hh:mm:ss a z', 'hh:mm:ss a', 'hh:mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [6, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale guz. */ goog.i18n.DateTimeSymbols_guz = { ERAS: ['YA', 'YK'], ERANAMES: ['Yeso ataiborwa', 'Yeso kaiboirwe'], NARROWMONTHS: ['C', 'F', 'M', 'A', 'M', 'J', 'C', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['C', 'F', 'M', 'A', 'M', 'J', 'C', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['Chanuari', 'Feburari', 'Machi', 'Apiriri', 'Mei', 'Juni', 'Chulai', 'Agosti', 'Septemba', 'Okitoba', 'Nobemba', 'Disemba'], STANDALONEMONTHS: ['Chanuari', 'Feburari', 'Machi', 'Apiriri', 'Mei', 'Juni', 'Chulai', 'Agosti', 'Septemba', 'Okitoba', 'Nobemba', 'Disemba'], SHORTMONTHS: ['Can', 'Feb', 'Mac', 'Apr', 'Mei', 'Jun', 'Cul', 'Agt', 'Sep', 'Okt', 'Nob', 'Dis'], STANDALONESHORTMONTHS: ['Can', 'Feb', 'Mac', 'Apr', 'Mei', 'Jun', 'Cul', 'Agt', 'Sep', 'Okt', 'Nob', 'Dis'], WEEKDAYS: ['Chumapiri', 'Chumatato', 'Chumaine', 'Chumatano', 'Aramisi', 'Ichuma', 'Esabato'], STANDALONEWEEKDAYS: ['Chumapiri', 'Chumatato', 'Chumaine', 'Chumatano', 'Aramisi', 'Ichuma', 'Esabato'], SHORTWEEKDAYS: ['Cpr', 'Ctt', 'Cmn', 'Cmt', 'Ars', 'Icm', 'Est'], STANDALONESHORTWEEKDAYS: ['Cpr', 'Ctt', 'Cmn', 'Cmt', 'Ars', 'Icm', 'Est'], NARROWWEEKDAYS: ['C', 'C', 'C', 'C', 'A', 'I', 'E'], STANDALONENARROWWEEKDAYS: ['C', 'C', 'C', 'C', 'A', 'I', 'E'], SHORTQUARTERS: ['E1', 'E2', 'E3', 'E4'], QUARTERS: ['Erobo entang\'ani', 'Erobo yakabere', 'Erobo yagatato', 'Erobo yakane'], AMPMS: ['Ma/Mo', 'Mambia/Mog'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yyyy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale guz_KE. */ goog.i18n.DateTimeSymbols_guz_KE = goog.i18n.DateTimeSymbols_guz; /** * Date/time formatting symbols for locale gv. */ goog.i18n.DateTimeSymbols_gv = { ERAS: ['RC', 'AD'], ERANAMES: ['RC', 'AD'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['Jerrey-geuree', 'Toshiaght-arree', 'Mayrnt', 'Averil', 'Boaldyn', 'Mean-souree', 'Jerrey-souree', 'Luanistyn', 'Mean-fouyir', 'Jerrey-fouyir', 'Mee Houney', 'Mee ny Nollick'], STANDALONEMONTHS: ['Jerrey-geuree', 'Toshiaght-arree', 'Mayrnt', 'Averil', 'Boaldyn', 'Mean-souree', 'Jerrey-souree', 'Luanistyn', 'Mean-fouyir', 'Jerrey-fouyir', 'Mee Houney', 'Mee ny Nollick'], SHORTMONTHS: ['J-guer', 'T-arree', 'Mayrnt', 'Avrril', 'Boaldyn', 'M-souree', 'J-souree', 'Luanistyn', 'M-fouyir', 'J-fouyir', 'M.Houney', 'M.Nollick'], STANDALONESHORTMONTHS: ['J-guer', 'T-arree', 'Mayrnt', 'Avrril', 'Boaldyn', 'M-souree', 'J-souree', 'Luanistyn', 'M-fouyir', 'J-fouyir', 'M.Houney', 'M.Nollick'], WEEKDAYS: ['Jedoonee', 'Jelhein', 'Jemayrt', 'Jercean', 'Jerdein', 'Jeheiney', 'Jesarn'], STANDALONEWEEKDAYS: ['Jedoonee', 'Jelhein', 'Jemayrt', 'Jercean', 'Jerdein', 'Jeheiney', 'Jesarn'], SHORTWEEKDAYS: ['Jed', 'Jel', 'Jem', 'Jerc', 'Jerd', 'Jeh', 'Jes'], STANDALONESHORTWEEKDAYS: ['Jed', 'Jel', 'Jem', 'Jerc', 'Jerd', 'Jeh', 'Jes'], NARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], STANDALONENARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], AMPMS: ['a.m.', 'p.m.'], DATEFORMATS: ['EEEE dd MMMM y', 'dd MMMM y', 'MMM dd, y', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale gv_GB. */ goog.i18n.DateTimeSymbols_gv_GB = goog.i18n.DateTimeSymbols_gv; /** * Date/time formatting symbols for locale ha. */ goog.i18n.DateTimeSymbols_ha = { ERAS: ['KHAI', 'BHAI'], ERANAMES: ['Kafin haihuwar annab', 'Bayan haihuwar annab'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'Y', 'Y', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'Y', 'Y', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['Janairu', 'Faburairu', 'Maris', 'Afirilu', 'Mayu', 'Yuni', 'Yuli', 'Agusta', 'Satumba', 'Oktoba', 'Nuwamba', 'Disamba'], STANDALONEMONTHS: ['Janairu', 'Faburairu', 'Maris', 'Afirilu', 'Mayu', 'Yuni', 'Yuli', 'Agusta', 'Satumba', 'Oktoba', 'Nuwamba', 'Disamba'], SHORTMONTHS: ['Jan', 'Fab', 'Mar', 'Afi', 'May', 'Yun', 'Yul', 'Agu', 'Sat', 'Okt', 'Nuw', 'Dis'], STANDALONESHORTMONTHS: ['Jan', 'Fab', 'Mar', 'Afi', 'May', 'Yun', 'Yul', 'Agu', 'Sat', 'Okt', 'Nuw', 'Dis'], WEEKDAYS: ['Lahadi', 'Litinin', 'Talata', 'Laraba', 'Alhamis', 'Jumma\'a', 'Asabar'], STANDALONEWEEKDAYS: ['Lahadi', 'Litinin', 'Talata', 'Laraba', 'Alhamis', 'Jumma\'a', 'Asabar'], SHORTWEEKDAYS: ['Lh', 'Li', 'Ta', 'Lr', 'Al', 'Ju', 'As'], STANDALONESHORTWEEKDAYS: ['Lh', 'Li', 'Ta', 'Lr', 'Al', 'Ju', 'As'], NARROWWEEKDAYS: ['L', 'L', 'T', 'L', 'A', 'J', 'A'], STANDALONENARROWWEEKDAYS: ['L', 'L', 'T', 'L', 'A', 'J', 'A'], SHORTQUARTERS: ['K1', 'K2', 'K3', 'K4'], QUARTERS: ['Kwata na ɗaya', 'Kwata na biyu', 'Kwata na uku', 'Kwata na huɗu'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, d MMMM, y', 'd MMMM, y', 'd MMM, y', 'd/M/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale ha_Latn. */ goog.i18n.DateTimeSymbols_ha_Latn = goog.i18n.DateTimeSymbols_ha; /** * Date/time formatting symbols for locale ha_Latn_GH. */ goog.i18n.DateTimeSymbols_ha_Latn_GH = goog.i18n.DateTimeSymbols_ha; /** * Date/time formatting symbols for locale ha_Latn_NE. */ goog.i18n.DateTimeSymbols_ha_Latn_NE = goog.i18n.DateTimeSymbols_ha; /** * Date/time formatting symbols for locale ha_Latn_NG. */ goog.i18n.DateTimeSymbols_ha_Latn_NG = goog.i18n.DateTimeSymbols_ha; /** * Date/time formatting symbols for locale haw_US. */ goog.i18n.DateTimeSymbols_haw_US = { ERAS: ['BCE', 'CE'], ERANAMES: ['BCE', 'CE'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['Ianuali', 'Pepeluali', 'Malaki', 'ʻApelila', 'Mei', 'Iune', 'Iulai', 'ʻAukake', 'Kepakemapa', 'ʻOkakopa', 'Nowemapa', 'Kekemapa'], STANDALONEMONTHS: ['Ianuali', 'Pepeluali', 'Malaki', 'ʻApelila', 'Mei', 'Iune', 'Iulai', 'ʻAukake', 'Kepakemapa', 'ʻOkakopa', 'Nowemapa', 'Kekemapa'], SHORTMONTHS: ['Ian.', 'Pep.', 'Mal.', 'ʻAp.', 'Mei', 'Iun.', 'Iul.', 'ʻAu.', 'Kep.', 'ʻOk.', 'Now.', 'Kek.'], STANDALONESHORTMONTHS: ['Ian.', 'Pep.', 'Mal.', 'ʻAp.', 'Mei', 'Iun.', 'Iul.', 'ʻAu.', 'Kep.', 'ʻOk.', 'Now.', 'Kek.'], WEEKDAYS: ['Lāpule', 'Poʻakahi', 'Poʻalua', 'Poʻakolu', 'Poʻahā', 'Poʻalima', 'Poʻaono'], STANDALONEWEEKDAYS: ['Lāpule', 'Poʻakahi', 'Poʻalua', 'Poʻakolu', 'Poʻahā', 'Poʻalima', 'Poʻaono'], SHORTWEEKDAYS: ['LP', 'P1', 'P2', 'P3', 'P4', 'P5', 'P6'], STANDALONESHORTWEEKDAYS: ['LP', 'P1', 'P2', 'P3', 'P4', 'P5', 'P6'], NARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], STANDALONENARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'd/M/yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale he_IL. */ goog.i18n.DateTimeSymbols_he_IL = { ERAS: ['לפנה״ס', 'לסה״נ'], ERANAMES: ['לפני הספירה', 'לספירה'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['ינואר', 'פברואר', 'מרץ', 'אפריל', 'מאי', 'יוני', 'יולי', 'אוגוסט', 'ספטמבר', 'אוקטובר', 'נובמבר', 'דצמבר'], STANDALONEMONTHS: ['ינואר', 'פברואר', 'מרץ', 'אפריל', 'מאי', 'יוני', 'יולי', 'אוגוסט', 'ספטמבר', 'אוקטובר', 'נובמבר', 'דצמבר'], SHORTMONTHS: ['ינו', 'פבר', 'מרץ', 'אפר', 'מאי', 'יונ', 'יול', 'אוג', 'ספט', 'אוק', 'נוב', 'דצמ'], STANDALONESHORTMONTHS: ['ינו׳', 'פבר׳', 'מרץ', 'אפר׳', 'מאי', 'יונ׳', 'יול׳', 'אוג׳', 'ספט׳', 'אוק׳', 'נוב׳', 'דצמ׳'], WEEKDAYS: ['יום ראשון', 'יום שני', 'יום שלישי', 'יום רביעי', 'יום חמישי', 'יום שישי', 'יום שבת'], STANDALONEWEEKDAYS: ['יום ראשון', 'יום שני', 'יום שלישי', 'יום רביעי', 'יום חמישי', 'יום שישי', 'יום שבת'], SHORTWEEKDAYS: ['יום א׳', 'יום ב׳', 'יום ג׳', 'יום ד׳', 'יום ה׳', 'יום ו׳', 'שבת'], STANDALONESHORTWEEKDAYS: ['יום א׳', 'יום ב׳', 'יום ג׳', 'יום ד׳', 'יום ה׳', 'יום ו׳', 'שבת'], NARROWWEEKDAYS: ['א', 'ב', 'ג', 'ד', 'ה', 'ו', 'ש'], STANDALONENARROWWEEKDAYS: ['א', 'ב', 'ג', 'ד', 'ה', 'ו', 'ש'], SHORTQUARTERS: ['רבעון 1', 'רבעון 2', 'רבעון 3', 'רבעון 4'], QUARTERS: ['רבעון 1', 'רבעון 2', 'רבעון 3', 'רבעון 4'], AMPMS: ['לפנה״צ', 'אחה״צ'], DATEFORMATS: ['EEEE, d בMMMM y', 'd בMMMM y', 'd בMMM yyyy', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [4, 5], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale hi_IN. */ goog.i18n.DateTimeSymbols_hi_IN = { ERAS: ['ईसापूर्व', 'सन'], ERANAMES: ['ईसापूर्व', 'सन'], NARROWMONTHS: ['ज', 'फ़', 'मा', 'अ', 'म', 'जू', 'जु', 'अ', 'सि', 'अ', 'न', 'दि'], STANDALONENARROWMONTHS: ['ज', 'फ़', 'मा', 'अ', 'म', 'जू', 'जु', 'अ', 'सि', 'अ', 'न', 'दि'], MONTHS: ['जनवरी', 'फरवरी', 'मार्च', 'अप्रैल', 'मई', 'जून', 'जुलाई', 'अगस्त', 'सितम्बर', 'अक्तूबर', 'नवम्बर', 'दिसम्बर'], STANDALONEMONTHS: ['जनवरी', 'फरवरी', 'मार्च', 'अप्रैल', 'मई', 'जून', 'जुलाई', 'अगस्त', 'सितम्बर', 'अक्तूबर', 'नवम्बर', 'दिसम्बर'], SHORTMONTHS: ['जनवरी', 'फरवरी', 'मार्च', 'अप्रैल', 'मई', 'जून', 'जुलाई', 'अगस्त', 'सितम्बर', 'अक्तूबर', 'नवम्बर', 'दिसम्बर'], STANDALONESHORTMONTHS: ['जनवरी', 'फरवरी', 'मार्च', 'अप्रैल', 'मई', 'जून', 'जुलाई', 'अगस्त', 'सितम्बर', 'अक्तूबर', 'नवम्बर', 'दिसम्बर'], WEEKDAYS: ['रविवार', 'सोमवार', 'मंगलवार', 'बुधवार', 'बृहस्पतिवार', 'शुक्रवार', 'शनिवार'], STANDALONEWEEKDAYS: ['रविवार', 'सोमवार', 'मंगलवार', 'बुधवार', 'बृहस्पतिवार', 'शुक्रवार', 'शनिवार'], SHORTWEEKDAYS: ['रवि.', 'सोम.', 'मंगल.', 'बुध.', 'बृह.', 'शुक्र.', 'शनि.'], STANDALONESHORTWEEKDAYS: ['रवि.', 'सोम.', 'मंगल.', 'बुध.', 'बृह.', 'शुक्र.', 'शनि.'], NARROWWEEKDAYS: ['र', 'सो', 'मं', 'बु', 'गु', 'शु', 'श'], STANDALONENARROWWEEKDAYS: ['र', 'सो', 'मं', 'बु', 'गु', 'शु', 'श'], SHORTQUARTERS: ['तिमाही', 'दूसरी तिमाही', 'तीसरी तिमाही', 'चौथी तिमाही'], QUARTERS: ['तिमाही', 'दूसरी तिमाही', 'तीसरी तिमाही', 'चौथी तिमाही'], AMPMS: ['am', 'pm'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'dd-MM-yyyy', 'd-M-yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [6, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale hr_HR. */ goog.i18n.DateTimeSymbols_hr_HR = { ERAS: ['p. n. e.', 'A. D.'], ERANAMES: ['Prije Krista', 'Poslije Krista'], NARROWMONTHS: ['1.', '2.', '3.', '4.', '5.', '6.', '7.', '8.', '9.', '10.', '11.', '12.'], STANDALONENARROWMONTHS: ['1.', '2.', '3.', '4.', '5.', '6.', '7.', '8.', '9.', '10.', '11.', '12.'], MONTHS: ['siječnja', 'veljače', 'ožujka', 'travnja', 'svibnja', 'lipnja', 'srpnja', 'kolovoza', 'rujna', 'listopada', 'studenoga', 'prosinca'], STANDALONEMONTHS: ['siječanj', 'veljača', 'ožujak', 'travanj', 'svibanj', 'lipanj', 'srpanj', 'kolovoz', 'rujan', 'listopad', 'studeni', 'prosinac'], SHORTMONTHS: ['sij', 'velj', 'ožu', 'tra', 'svi', 'lip', 'srp', 'kol', 'ruj', 'lis', 'stu', 'pro'], STANDALONESHORTMONTHS: ['sij', 'velj', 'ožu', 'tra', 'svi', 'lip', 'srp', 'kol', 'ruj', 'lis', 'stu', 'pro'], WEEKDAYS: ['nedjelja', 'ponedjeljak', 'utorak', 'srijeda', 'četvrtak', 'petak', 'subota'], STANDALONEWEEKDAYS: ['nedjelja', 'ponedjeljak', 'utorak', 'srijeda', 'četvrtak', 'petak', 'subota'], SHORTWEEKDAYS: ['ned', 'pon', 'uto', 'sri', 'čet', 'pet', 'sub'], STANDALONESHORTWEEKDAYS: ['ned', 'pon', 'uto', 'sri', 'čet', 'pet', 'sub'], NARROWWEEKDAYS: ['N', 'P', 'U', 'S', 'Č', 'P', 'S'], STANDALONENARROWWEEKDAYS: ['n', 'p', 'u', 's', 'č', 'p', 's'], SHORTQUARTERS: ['1kv', '2kv', '3kv', '4kv'], QUARTERS: ['1. kvartal', '2. kvartal', '3. kvartal', '4. kvartal'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, d. MMMM y.', 'd. MMMM y.', 'd. M. y.', 'd.M.y.'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale hu_HU. */ goog.i18n.DateTimeSymbols_hu_HU = { ERAS: ['i. e.', 'i. sz.'], ERANAMES: ['időszámításunk előtt', 'időszámításunk szerint'], NARROWMONTHS: ['J', 'F', 'M', 'Á', 'M', 'J', 'J', 'Á', 'Sz', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'Á', 'M', 'J', 'J', 'A', 'Sz', 'O', 'N', 'D'], MONTHS: ['január', 'február', 'március', 'április', 'május', 'június', 'július', 'augusztus', 'szeptember', 'október', 'november', 'december'], STANDALONEMONTHS: ['január', 'február', 'március', 'április', 'május', 'június', 'július', 'augusztus', 'szeptember', 'október', 'november', 'december'], SHORTMONTHS: ['jan.', 'febr.', 'márc.', 'ápr.', 'máj.', 'jún.', 'júl.', 'aug.', 'szept.', 'okt.', 'nov.', 'dec.'], STANDALONESHORTMONTHS: ['jan.', 'febr.', 'márc.', 'ápr.', 'máj.', 'jún.', 'júl.', 'aug.', 'szept.', 'okt.', 'nov.', 'dec.'], WEEKDAYS: ['vasárnap', 'hétfő', 'kedd', 'szerda', 'csütörtök', 'péntek', 'szombat'], STANDALONEWEEKDAYS: ['vasárnap', 'hétfő', 'kedd', 'szerda', 'csütörtök', 'péntek', 'szombat'], SHORTWEEKDAYS: ['V', 'H', 'K', 'Sze', 'Cs', 'P', 'Szo'], STANDALONESHORTWEEKDAYS: ['V', 'H', 'K', 'Sze', 'Cs', 'P', 'Szo'], NARROWWEEKDAYS: ['V', 'H', 'K', 'Sz', 'Cs', 'P', 'Sz'], STANDALONENARROWWEEKDAYS: ['V', 'H', 'K', 'Sz', 'Cs', 'P', 'Sz'], SHORTQUARTERS: ['N1', 'N2', 'N3', 'N4'], QUARTERS: ['I. negyedév', 'II. negyedév', 'III. negyedév', 'IV. negyedév'], AMPMS: ['de.', 'du.'], DATEFORMATS: ['y. MMMM d., EEEE', 'y. MMMM d.', 'yyyy.MM.dd.', 'yyyy.MM.dd.'], TIMEFORMATS: ['H:mm:ss zzzz', 'H:mm:ss z', 'H:mm:ss', 'H:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale hy. */ goog.i18n.DateTimeSymbols_hy = { ERAS: ['Մ․Թ․Ա․', 'Մ․Թ․'], ERANAMES: ['Մ․Թ․Ա․', 'Մ․Թ․'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['Հունվար', 'Փետրվար', 'Մարտ', 'Ապրիլ', 'Մայիս', 'Հունիս', 'Հուլիս', 'Օգոստոս', 'Սեպտեմբեր', 'Հոկտեմբեր', 'Նոյեմբեր', 'Դեկտեմբեր'], STANDALONEMONTHS: ['Հունվար', 'Փետրվար', 'Մարտ', 'Ապրիլ', 'Մայիս', 'Հունիս', 'Հուլիս', 'Օգոստոս', 'Սեպտեմբեր', 'Հոկտեմբեր', 'Նոյեմբեր', 'Դեկտեմբեր'], SHORTMONTHS: ['Հնվ', 'Փտվ', 'Մրտ', 'Ապր', 'Մյս', 'Հնս', 'Հլս', 'Օգս', 'Սեպ', 'Հոկ', 'Նոյ', 'Դեկ'], STANDALONESHORTMONTHS: ['Հնվ', 'Փտվ', 'Մրտ', 'Ապր', 'Մյս', 'Հնս', 'Հլս', 'Օգս', 'Սեպ', 'Հոկ', 'Նոյ', 'Դեկ'], WEEKDAYS: ['Կիրակի', 'Երկուշաբթի', 'Երեքշաբթի', 'Չորեքշաբթի', 'Հինգշաբթի', 'Ուրբաթ', 'Շաբաթ'], STANDALONEWEEKDAYS: ['Կիրակի', 'Երկուշաբթի', 'Երեքշաբթի', 'Չորեքշաբթի', 'Հինգշաբթի', 'Ուրբաթ', 'Շաբաթ'], SHORTWEEKDAYS: ['Կիր', 'Երկ', 'Երք', 'Չոր', 'Հնգ', 'Ուր', 'Շաբ'], STANDALONESHORTWEEKDAYS: ['Կիր', 'Երկ', 'Երք', 'Չոր', 'Հնգ', 'Ուր', 'Շաբ'], NARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], STANDALONENARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], AMPMS: ['Առ․', 'Կե․'], DATEFORMATS: ['EEEE, MMMM d, y', 'MMMM dd, y', 'MMM d, y', 'MM/dd/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale hy_AM. */ goog.i18n.DateTimeSymbols_hy_AM = goog.i18n.DateTimeSymbols_hy; /** * Date/time formatting symbols for locale ia. */ goog.i18n.DateTimeSymbols_ia = { ERAS: ['a.Chr.', 'p.Chr.'], ERANAMES: ['ante Christo', 'post Christo'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['januario', 'februario', 'martio', 'april', 'maio', 'junio', 'julio', 'augusto', 'septembre', 'octobre', 'novembre', 'decembre'], STANDALONEMONTHS: ['januario', 'februario', 'martio', 'april', 'maio', 'junio', 'julio', 'augusto', 'septembre', 'octobre', 'novembre', 'decembre'], SHORTMONTHS: ['jan', 'feb', 'mar', 'apr', 'mai', 'jun', 'jul', 'aug', 'sep', 'oct', 'nov', 'dec'], STANDALONESHORTMONTHS: ['jan', 'feb', 'mar', 'apr', 'mai', 'jun', 'jul', 'aug', 'sep', 'oct', 'nov', 'dec'], WEEKDAYS: ['dominica', 'lunedi', 'martedi', 'mercuridi', 'jovedi', 'venerdi', 'sabbato'], STANDALONEWEEKDAYS: ['dominica', 'lunedi', 'martedi', 'mercuridi', 'jovedi', 'venerdi', 'sabbato'], SHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mer', 'jov', 'ven', 'sab'], STANDALONESHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mer', 'jov', 'ven', 'sab'], NARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], STANDALONENARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1-me trimestre', '2-nde trimestre', '3-tie trimestre', '4-te trimestre'], AMPMS: ['a.m.', 'p.m.'], DATEFORMATS: ['EEEE, y MMMM dd', 'y MMMM d', 'y MMM d', 'yy/MM/dd'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale id_ID. */ goog.i18n.DateTimeSymbols_id_ID = { ERAS: ['SM', 'M'], ERANAMES: ['SM', 'M'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['Januari', 'Februari', 'Maret', 'April', 'Mei', 'Juni', 'Juli', 'Agustus', 'September', 'Oktober', 'November', 'Desember'], STANDALONEMONTHS: ['Januari', 'Februari', 'Maret', 'April', 'Mei', 'Juni', 'Juli', 'Agustus', 'September', 'Oktober', 'November', 'Desember'], SHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'Mei', 'Jun', 'Jul', 'Agt', 'Sep', 'Okt', 'Nov', 'Des'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'Mei', 'Jun', 'Jul', 'Agt', 'Sep', 'Okt', 'Nov', 'Des'], WEEKDAYS: ['Minggu', 'Senin', 'Selasa', 'Rabu', 'Kamis', 'Jumat', 'Sabtu'], STANDALONEWEEKDAYS: ['Minggu', 'Senin', 'Selasa', 'Rabu', 'Kamis', 'Jumat', 'Sabtu'], SHORTWEEKDAYS: ['Min', 'Sen', 'Sel', 'Rab', 'Kam', 'Jum', 'Sab'], STANDALONESHORTWEEKDAYS: ['Min', 'Sen', 'Sel', 'Rab', 'Kam', 'Jum', 'Sab'], NARROWWEEKDAYS: ['M', 'S', 'S', 'R', 'K', 'J', 'S'], STANDALONENARROWWEEKDAYS: ['M', 'S', 'S', 'R', 'K', 'J', 'S'], SHORTQUARTERS: ['K1', 'K2', 'K3', 'K4'], QUARTERS: ['kuartal pertama', 'kuartal kedua', 'kuartal ketiga', 'kuartal keempat'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, dd MMMM yyyy', 'd MMMM yyyy', 'd MMM yyyy', 'dd/MM/yy'], TIMEFORMATS: ['H:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale ig. */ goog.i18n.DateTimeSymbols_ig = { ERAS: ['T.K.', 'A.K.'], ERANAMES: ['Tupu Kristi', 'Afọ Kristi'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['Jenụwarị', 'Febrụwarị', 'Maachị', 'Eprel', 'Mee', 'Juun', 'Julaị', 'Ọgọọst', 'Septemba', 'Ọktoba', 'Novemba', 'Disemba'], STANDALONEMONTHS: ['Jenụwarị', 'Febrụwarị', 'Maachị', 'Eprel', 'Mee', 'Juun', 'Julaị', 'Ọgọọst', 'Septemba', 'Ọktoba', 'Novemba', 'Disemba'], SHORTMONTHS: ['Jen', 'Feb', 'Maa', 'Epr', 'Mee', 'Juu', 'Jul', 'Ọgọ', 'Sep', 'Ọkt', 'Nov', 'Dis'], STANDALONESHORTMONTHS: ['Jen', 'Feb', 'Maa', 'Epr', 'Mee', 'Juu', 'Jul', 'Ọgọ', 'Sep', 'Ọkt', 'Nov', 'Dis'], WEEKDAYS: ['Mbọsị Ụka', 'Mọnde', 'Tiuzdee', 'Wenezdee', 'Tọọzdee', 'Fraịdee', 'Satọdee'], STANDALONEWEEKDAYS: ['Mbọsị Ụka', 'Mọnde', 'Tiuzdee', 'Wenezdee', 'Tọọzdee', 'Fraịdee', 'Satọdee'], SHORTWEEKDAYS: ['Ụka', 'Mọn', 'Tiu', 'Wen', 'Tọọ', 'Fraị', 'Sat'], STANDALONESHORTWEEKDAYS: ['Ụka', 'Mọn', 'Tiu', 'Wen', 'Tọọ', 'Fraị', 'Sat'], NARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], STANDALONENARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], SHORTQUARTERS: ['Ọ1', 'Ọ2', 'Ọ3', 'Ọ4'], QUARTERS: ['Ọkara 1', 'Ọkara 2', 'Ọkara 3', 'Ọkara 4'], AMPMS: ['A.M.', 'P.M.'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yyyy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale ig_NG. */ goog.i18n.DateTimeSymbols_ig_NG = goog.i18n.DateTimeSymbols_ig; /** * Date/time formatting symbols for locale ii. */ goog.i18n.DateTimeSymbols_ii = { ERAS: ['ꃅꋊꂿ', 'ꃅꋊꊂ'], ERANAMES: ['ꃅꋊꂿ', 'ꃅꋊꊂ'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['ꋍꆪ', 'ꑍꆪ', 'ꌕꆪ', 'ꇖꆪ', 'ꉬꆪ', 'ꃘꆪ', 'ꏃꆪ', 'ꉆꆪ', 'ꈬꆪ', 'ꊰꆪ', 'ꊰꊪꆪ', 'ꊰꑋꆪ'], STANDALONEMONTHS: ['ꋍꆪ', 'ꑍꆪ', 'ꌕꆪ', 'ꇖꆪ', 'ꉬꆪ', 'ꃘꆪ', 'ꏃꆪ', 'ꉆꆪ', 'ꈬꆪ', 'ꊰꆪ', 'ꊰꊪꆪ', 'ꊰꑋꆪ'], SHORTMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONESHORTMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], WEEKDAYS: ['ꑭꆏꑍ', 'ꆏꊂꋍ', 'ꆏꊂꑍ', 'ꆏꊂꌕ', 'ꆏꊂꇖ', 'ꆏꊂꉬ', 'ꆏꊂꃘ'], STANDALONEWEEKDAYS: ['ꑭꆏꑍ', 'ꆏꊂꋍ', 'ꆏꊂꑍ', 'ꆏꊂꌕ', 'ꆏꊂꇖ', 'ꆏꊂꉬ', 'ꆏꊂꃘ'], SHORTWEEKDAYS: ['ꑭꆏ', 'ꆏꋍ', 'ꆏꑍ', 'ꆏꌕ', 'ꆏꇖ', 'ꆏꉬ', 'ꆏꃘ'], STANDALONESHORTWEEKDAYS: ['ꑭꆏ', 'ꆏꋍ', 'ꆏꑍ', 'ꆏꌕ', 'ꆏꇖ', 'ꆏꉬ', 'ꆏꃘ'], NARROWWEEKDAYS: ['ꆏ', 'ꋍ', 'ꑍ', 'ꌕ', 'ꇖ', 'ꉬ', 'ꃘ'], STANDALONENARROWWEEKDAYS: ['ꆏ', 'ꋍ', 'ꑍ', 'ꌕ', 'ꇖ', 'ꉬ', 'ꃘ'], SHORTQUARTERS: ['ꃅꑌ', 'ꃅꎸ', 'ꃅꍵ', 'ꃅꋆ'], QUARTERS: ['ꃅꑌ', 'ꃅꎸ', 'ꃅꍵ', 'ꃅꋆ'], AMPMS: ['ꎸꄑ', 'ꁯꋒ'], DATEFORMATS: ['EEEE, y MMMM dd', 'y MMMM d', 'y MMM d', 'yyyy-MM-dd'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale ii_CN. */ goog.i18n.DateTimeSymbols_ii_CN = goog.i18n.DateTimeSymbols_ii; /** * Date/time formatting symbols for locale is_IS. */ goog.i18n.DateTimeSymbols_is_IS = { ERAS: ['fyrir Krist', 'eftir Krist'], ERANAMES: ['fyrir Krist', 'eftir Krist'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'Á', 'L', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['j', 'f', 'm', 'a', 'm', 'j', 'j', 'á', 's', 'o', 'n', 'd'], MONTHS: ['janúar', 'febrúar', 'mars', 'apríl', 'maí', 'júní', 'júlí', 'ágúst', 'september', 'október', 'nóvember', 'desember'], STANDALONEMONTHS: ['janúar', 'febrúar', 'mars', 'apríl', 'maí', 'júní', 'júlí', 'ágúst', 'september', 'október', 'nóvember', 'desember'], SHORTMONTHS: ['jan', 'feb', 'mar', 'apr', 'maí', 'jún', 'júl', 'ágú', 'sep', 'okt', 'nóv', 'des'], STANDALONESHORTMONTHS: ['jan', 'feb', 'mar', 'apr', 'maí', 'jún', 'júl', 'ágú', 'sep', 'okt', 'nóv', 'des'], WEEKDAYS: ['sunnudagur', 'mánudagur', 'þriðjudagur', 'miðvikudagur', 'fimmtudagur', 'föstudagur', 'laugardagur'], STANDALONEWEEKDAYS: ['sunnudagur', 'mánudagur', 'þriðjudagur', 'miðvikudagur', 'fimmtudagur', 'föstudagur', 'laugardagur'], SHORTWEEKDAYS: ['sun', 'mán', 'þri', 'mið', 'fim', 'fös', 'lau'], STANDALONESHORTWEEKDAYS: ['sun', 'mán', 'þri', 'mið', 'fim', 'fös', 'lau'], NARROWWEEKDAYS: ['S', 'M', 'Þ', 'M', 'F', 'F', 'L'], STANDALONENARROWWEEKDAYS: ['s', 'm', 'þ', 'm', 'f', 'f', 'l'], SHORTQUARTERS: ['F1', 'F2', 'F3', 'F4'], QUARTERS: ['1st fjórðungur', '2nd fjórðungur', '3rd fjórðungur', '4th fjórðungur'], AMPMS: ['f.h.', 'e.h.'], DATEFORMATS: ['EEEE, d. MMMM y', 'd. MMMM y', 'd.M.yyyy', 'd.M.yyyy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale it_CH. */ goog.i18n.DateTimeSymbols_it_CH = { ERAS: ['aC', 'dC'], ERANAMES: ['a.C.', 'd.C'], NARROWMONTHS: ['G', 'F', 'M', 'A', 'M', 'G', 'L', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['G', 'F', 'M', 'A', 'M', 'G', 'L', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['gennaio', 'febbraio', 'marzo', 'aprile', 'maggio', 'giugno', 'luglio', 'agosto', 'settembre', 'ottobre', 'novembre', 'dicembre'], STANDALONEMONTHS: ['Gennaio', 'Febbraio', 'Marzo', 'Aprile', 'Maggio', 'Giugno', 'Luglio', 'Agosto', 'Settembre', 'Ottobre', 'Novembre', 'Dicembre'], SHORTMONTHS: ['gen', 'feb', 'mar', 'apr', 'mag', 'giu', 'lug', 'ago', 'set', 'ott', 'nov', 'dic'], STANDALONESHORTMONTHS: ['gen', 'feb', 'mar', 'apr', 'mag', 'giu', 'lug', 'ago', 'set', 'ott', 'nov', 'dic'], WEEKDAYS: ['domenica', 'lunedì', 'martedì', 'mercoledì', 'giovedì', 'venerdì', 'sabato'], STANDALONEWEEKDAYS: ['Domenica', 'Lunedì', 'Martedì', 'Mercoledì', 'Giovedì', 'Venerdì', 'Sabato'], SHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mer', 'gio', 'ven', 'sab'], STANDALONESHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mer', 'gio', 'ven', 'sab'], NARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'G', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'G', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1o trimestre', '2o trimestre', '3o trimestre', '4o trimestre'], AMPMS: ['m.', 'p.'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd-MMM-y', 'dd.MM.yy'], TIMEFORMATS: ['HH.mm:ss \'h\' zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale it_IT. */ goog.i18n.DateTimeSymbols_it_IT = { ERAS: ['aC', 'dC'], ERANAMES: ['a.C.', 'd.C'], NARROWMONTHS: ['G', 'F', 'M', 'A', 'M', 'G', 'L', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['G', 'F', 'M', 'A', 'M', 'G', 'L', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['gennaio', 'febbraio', 'marzo', 'aprile', 'maggio', 'giugno', 'luglio', 'agosto', 'settembre', 'ottobre', 'novembre', 'dicembre'], STANDALONEMONTHS: ['Gennaio', 'Febbraio', 'Marzo', 'Aprile', 'Maggio', 'Giugno', 'Luglio', 'Agosto', 'Settembre', 'Ottobre', 'Novembre', 'Dicembre'], SHORTMONTHS: ['gen', 'feb', 'mar', 'apr', 'mag', 'giu', 'lug', 'ago', 'set', 'ott', 'nov', 'dic'], STANDALONESHORTMONTHS: ['gen', 'feb', 'mar', 'apr', 'mag', 'giu', 'lug', 'ago', 'set', 'ott', 'nov', 'dic'], WEEKDAYS: ['domenica', 'lunedì', 'martedì', 'mercoledì', 'giovedì', 'venerdì', 'sabato'], STANDALONEWEEKDAYS: ['Domenica', 'Lunedì', 'Martedì', 'Mercoledì', 'Giovedì', 'Venerdì', 'Sabato'], SHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mer', 'gio', 'ven', 'sab'], STANDALONESHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mer', 'gio', 'ven', 'sab'], NARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'G', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'G', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1o trimestre', '2o trimestre', '3o trimestre', '4o trimestre'], AMPMS: ['m.', 'p.'], DATEFORMATS: ['EEEE d MMMM y', 'dd MMMM y', 'dd/MMM/y', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale ja_JP. */ goog.i18n.DateTimeSymbols_ja_JP = { ERAS: ['紀元前', '西暦'], ERANAMES: ['紀元前', '西暦'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['1月', '2月', '3月', '4月', '5月', '6月', '7月', '8月', '9月', '10月', '11月', '12月'], STANDALONEMONTHS: ['1月', '2月', '3月', '4月', '5月', '6月', '7月', '8月', '9月', '10月', '11月', '12月'], SHORTMONTHS: ['1月', '2月', '3月', '4月', '5月', '6月', '7月', '8月', '9月', '10月', '11月', '12月'], STANDALONESHORTMONTHS: ['1月', '2月', '3月', '4月', '5月', '6月', '7月', '8月', '9月', '10月', '11月', '12月'], WEEKDAYS: ['日曜日', '月曜日', '火曜日', '水曜日', '木曜日', '金曜日', '土曜日'], STANDALONEWEEKDAYS: ['日曜日', '月曜日', '火曜日', '水曜日', '木曜日', '金曜日', '土曜日'], SHORTWEEKDAYS: ['日', '月', '火', '水', '木', '金', '土'], STANDALONESHORTWEEKDAYS: ['日', '月', '火', '水', '木', '金', '土'], NARROWWEEKDAYS: ['日', '月', '火', '水', '木', '金', '土'], STANDALONENARROWWEEKDAYS: ['日', '月', '火', '水', '木', '金', '土'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['第1四半期', '第2四半期', '第3四半期', '第4四半期'], AMPMS: ['午前', '午後'], DATEFORMATS: ['y年M月d日EEEE', 'y年M月d日', 'yyyy/MM/dd', 'yyyy/MM/dd'], TIMEFORMATS: ['H時mm分ss秒 zzzz', 'H:mm:ss z', 'H:mm:ss', 'H:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale jmc. */ goog.i18n.DateTimeSymbols_jmc = { ERAS: ['KK', 'BK'], ERANAMES: ['Kabla ya Kristu', 'Baada ya Kristu'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['Januari', 'Februari', 'Machi', 'Aprilyi', 'Mei', 'Junyi', 'Julyai', 'Agusti', 'Septemba', 'Oktoba', 'Novemba', 'Desemba'], STANDALONEMONTHS: ['Januari', 'Februari', 'Machi', 'Aprilyi', 'Mei', 'Junyi', 'Julyai', 'Agusti', 'Septemba', 'Oktoba', 'Novemba', 'Desemba'], SHORTMONTHS: ['Jan', 'Feb', 'Mac', 'Apr', 'Mei', 'Jun', 'Jul', 'Ago', 'Sep', 'Okt', 'Nov', 'Des'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mac', 'Apr', 'Mei', 'Jun', 'Jul', 'Ago', 'Sep', 'Okt', 'Nov', 'Des'], WEEKDAYS: ['Jumapilyi', 'Jumatatuu', 'Jumanne', 'Jumatanu', 'Alhamisi', 'Ijumaa', 'Jumamosi'], STANDALONEWEEKDAYS: ['Jumapilyi', 'Jumatatuu', 'Jumanne', 'Jumatanu', 'Alhamisi', 'Ijumaa', 'Jumamosi'], SHORTWEEKDAYS: ['Jpi', 'Jtt', 'Jnn', 'Jtn', 'Alh', 'Iju', 'Jmo'], STANDALONESHORTWEEKDAYS: ['Jpi', 'Jtt', 'Jnn', 'Jtn', 'Alh', 'Iju', 'Jmo'], NARROWWEEKDAYS: ['J', 'J', 'J', 'J', 'A', 'I', 'J'], STANDALONENARROWWEEKDAYS: ['J', 'J', 'J', 'J', 'A', 'I', 'J'], SHORTQUARTERS: ['R1', 'R2', 'R3', 'R4'], QUARTERS: ['Robo 1', 'Robo 2', 'Robo 3', 'Robo 4'], AMPMS: ['utuko', 'kyiukonyi'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yyyy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale jmc_TZ. */ goog.i18n.DateTimeSymbols_jmc_TZ = goog.i18n.DateTimeSymbols_jmc; /** * Date/time formatting symbols for locale ka. */ goog.i18n.DateTimeSymbols_ka = { ERAS: ['ჩვენს წელთაღრიცხვამდე', 'ჩვენი წელთაღრიცხვით'], ERANAMES: ['ჩვენს წელთაღრიცხვამდე', 'ჩვენი წელთაღრიცხვით'], NARROWMONTHS: ['ი', 'თ', 'მ', 'ა', 'მ', 'ი', 'ი', 'ა', 'ს', 'ო', 'ნ', 'დ'], STANDALONENARROWMONTHS: ['ი', 'თ', 'მ', 'ა', 'მ', 'ი', 'ი', 'ა', 'ს', 'ო', 'ნ', 'დ'], MONTHS: ['იანვარი', 'თებერვალი', 'მარტი', 'აპრილი', 'მაისი', 'ივნისი', 'ივლის', 'აგვისტო', 'სექტემბერი', 'ოქტომბერი', 'ნოემბერი', 'დეკემბერი'], STANDALONEMONTHS: ['იანვარი', 'თებერვალი', 'მარტი', 'აპრილი', 'მაისი', 'ივნისი', 'ივლის', 'აგვისტო', 'სექტემბერი', 'ოქტომბერი', 'ნოემბერი', 'დეკემბერი'], SHORTMONTHS: ['იან', 'თებ', 'მარ', 'აპრ', 'მაი', 'ივნ', 'ივლ', 'აგვ', 'სექ', 'ოქტ', 'ნოე', 'დეკ'], STANDALONESHORTMONTHS: ['იან', 'თებ', 'მარ', 'აპრ', 'მაი', 'ივნ', 'ივლ', 'აგვ', 'სექ', 'ოქტ', 'ნოე', 'დეკ'], WEEKDAYS: ['კვირა', 'ორშაბათი', 'სამშაბათი', 'ოთხშაბათი', 'ხუთშაბათი', 'პარასკევი', 'შაბათი'], STANDALONEWEEKDAYS: ['კვირა', 'ორშაბათი', 'სამშაბათი', 'ოთხშაბათი', 'ხუთშაბათი', 'პარასკევი', 'შაბათი'], SHORTWEEKDAYS: ['კვი', 'ორშ', 'სამ', 'ოთხ', 'ხუთ', 'პარ', 'შაბ'], STANDALONESHORTWEEKDAYS: ['კვი', 'ორშ', 'სამ', 'ოთხ', 'ხუთ', 'პარ', 'შაბ'], NARROWWEEKDAYS: ['კ', 'ო', 'ს', 'ო', 'ხ', 'პ', 'შ'], STANDALONENARROWWEEKDAYS: ['კ', 'ო', 'ს', 'ო', 'ხ', 'პ', 'შ'], SHORTQUARTERS: ['I კვ.', 'II კვ.', 'III კვ.', 'IV კვ.'], QUARTERS: ['1-ლი კვარტალი', 'მე-2 კვარტალი', 'მე-3 კვარტალი', 'მე-4 კვარტალი'], AMPMS: ['დილის', 'საღამოს'], DATEFORMATS: ['EEEE, y MMMM dd', 'y MMMM d', 'y MMM d', 'yy/MM/dd'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale ka_GE. */ goog.i18n.DateTimeSymbols_ka_GE = goog.i18n.DateTimeSymbols_ka; /** * Date/time formatting symbols for locale kab. */ goog.i18n.DateTimeSymbols_kab = { ERAS: ['snd. T.Ɛ', 'sld. T.Ɛ'], ERANAMES: ['send talalit n Ɛisa', 'seld talalit n Ɛisa'], NARROWMONTHS: ['Y', 'F', 'M', 'Y', 'M', 'Y', 'Y', 'Ɣ', 'C', 'T', 'N', 'D'], STANDALONENARROWMONTHS: ['Y', 'F', 'M', 'Y', 'M', 'Y', 'Y', 'Ɣ', 'C', 'T', 'N', 'D'], MONTHS: ['Yennayer', 'Fuṛar', 'Meɣres', 'Yebrir', 'Mayyu', 'Yunyu', 'Yulyu', 'Ɣuct', 'Ctembeṛ', 'Tubeṛ', 'Nunembeṛ', 'Duǧembeṛ'], STANDALONEMONTHS: ['Yennayer', 'Fuṛar', 'Meɣres', 'Yebrir', 'Mayyu', 'Yunyu', 'Yulyu', 'Ɣuct', 'Ctembeṛ', 'Tubeṛ', 'Nunembeṛ', 'Duǧembeṛ'], SHORTMONTHS: ['Yen', 'Fur', 'Meɣ', 'Yeb', 'May', 'Yun', 'Yul', 'Ɣuc', 'Cte', 'Tub', 'Nun', 'Duǧ'], STANDALONESHORTMONTHS: ['Yen', 'Fur', 'Meɣ', 'Yeb', 'May', 'Yun', 'Yul', 'Ɣuc', 'Cte', 'Tub', 'Nun', 'Duǧ'], WEEKDAYS: ['Yanass', 'Sanass', 'Kraḍass', 'Kuẓass', 'Samass', 'Sḍisass', 'Sayass'], STANDALONEWEEKDAYS: ['Yanass', 'Sanass', 'Kraḍass', 'Kuẓass', 'Samass', 'Sḍisass', 'Sayass'], SHORTWEEKDAYS: ['Yan', 'San', 'Kraḍ', 'Kuẓ', 'Sam', 'Sḍis', 'Say'], STANDALONESHORTWEEKDAYS: ['Yan', 'San', 'Kraḍ', 'Kuẓ', 'Sam', 'Sḍis', 'Say'], NARROWWEEKDAYS: ['Y', 'S', 'K', 'K', 'S', 'S', 'S'], STANDALONENARROWWEEKDAYS: ['Y', 'S', 'K', 'K', 'S', 'S', 'S'], SHORTQUARTERS: ['Kḍg1', 'Kḍg2', 'Kḍg3', 'Kḍg4'], QUARTERS: ['akraḍaggur amenzu', 'akraḍaggur wis-sin', 'akraḍaggur wis-kraḍ', 'akraḍaggur wis-kuẓ'], AMPMS: ['n tufat', 'n tmeddit'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM, y', 'd/M/yyyy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale kab_DZ. */ goog.i18n.DateTimeSymbols_kab_DZ = goog.i18n.DateTimeSymbols_kab; /** * Date/time formatting symbols for locale kam. */ goog.i18n.DateTimeSymbols_kam = { ERAS: ['MY', 'IY'], ERANAMES: ['Mbee wa Yesũ', 'Ĩtina wa Yesũ'], NARROWMONTHS: ['M', 'K', 'K', 'K', 'K', 'T', 'M', 'N', 'K', 'Ĩ', 'Ĩ', 'Ĩ'], STANDALONENARROWMONTHS: ['M', 'K', 'K', 'K', 'K', 'T', 'M', 'N', 'K', 'Ĩ', 'Ĩ', 'Ĩ'], MONTHS: ['Mwai wa mbee', 'Mwai wa kelĩ', 'Mwai wa katatũ', 'Mwai wa kana', 'Mwai wa katano', 'Mwai wa thanthatũ', 'Mwai wa muonza', 'Mwai wa nyaanya', 'Mwai wa kenda', 'Mwai wa ĩkumi', 'Mwai wa ĩkumi na ĩmwe', 'Mwai wa ĩkumi na ilĩ'], STANDALONEMONTHS: ['Mwai wa mbee', 'Mwai wa kelĩ', 'Mwai wa katatũ', 'Mwai wa kana', 'Mwai wa katano', 'Mwai wa thanthatũ', 'Mwai wa muonza', 'Mwai wa nyaanya', 'Mwai wa kenda', 'Mwai wa ĩkumi', 'Mwai wa ĩkumi na ĩmwe', 'Mwai wa ĩkumi na ilĩ'], SHORTMONTHS: ['Mbe', 'Kel', 'Ktũ', 'Kan', 'Ktn', 'Tha', 'Moo', 'Nya', 'Knd', 'Ĩku', 'Ĩkm', 'Ĩkl'], STANDALONESHORTMONTHS: ['Mbe', 'Kel', 'Ktũ', 'Kan', 'Ktn', 'Tha', 'Moo', 'Nya', 'Knd', 'Ĩku', 'Ĩkm', 'Ĩkl'], WEEKDAYS: ['Wa kyumwa', 'Wa kwambĩlĩlya', 'Wa kelĩ', 'Wa katatũ', 'Wa kana', 'Wa katano', 'Wa thanthatũ'], STANDALONEWEEKDAYS: ['Wa kyumwa', 'Wa kwambĩlĩlya', 'Wa kelĩ', 'Wa katatũ', 'Wa kana', 'Wa katano', 'Wa thanthatũ'], SHORTWEEKDAYS: ['Wky', 'Wkw', 'Wkl', 'Wtũ', 'Wkn', 'Wtn', 'Wth'], STANDALONESHORTWEEKDAYS: ['Wky', 'Wkw', 'Wkl', 'Wtũ', 'Wkn', 'Wtn', 'Wth'], NARROWWEEKDAYS: ['Y', 'W', 'E', 'A', 'A', 'A', 'A'], STANDALONENARROWWEEKDAYS: ['Y', 'W', 'E', 'A', 'A', 'A', 'A'], SHORTQUARTERS: ['L1', 'L2', 'L3', 'L4'], QUARTERS: ['Lovo ya mbee', 'Lovo ya kelĩ', 'Lovo ya katatũ', 'Lovo ya kana'], AMPMS: ['Ĩyakwakya', 'Ĩyawĩoo'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yyyy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale kam_KE. */ goog.i18n.DateTimeSymbols_kam_KE = goog.i18n.DateTimeSymbols_kam; /** * Date/time formatting symbols for locale kde. */ goog.i18n.DateTimeSymbols_kde = { ERAS: ['AY', 'NY'], ERANAMES: ['Akanapawa Yesu', 'Nankuida Yesu'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['Mwedi Ntandi', 'Mwedi wa Pili', 'Mwedi wa Tatu', 'Mwedi wa Nchechi', 'Mwedi wa Nnyano', 'Mwedi wa Nnyano na Umo', 'Mwedi wa Nnyano na Mivili', 'Mwedi wa Nnyano na Mitatu', 'Mwedi wa Nnyano na Nchechi', 'Mwedi wa Nnyano na Nnyano', 'Mwedi wa Nnyano na Nnyano na U', 'Mwedi wa Nnyano na Nnyano na M'], STANDALONEMONTHS: ['Mwedi Ntandi', 'Mwedi wa Pili', 'Mwedi wa Tatu', 'Mwedi wa Nchechi', 'Mwedi wa Nnyano', 'Mwedi wa Nnyano na Umo', 'Mwedi wa Nnyano na Mivili', 'Mwedi wa Nnyano na Mitatu', 'Mwedi wa Nnyano na Nchechi', 'Mwedi wa Nnyano na Nnyano', 'Mwedi wa Nnyano na Nnyano na U', 'Mwedi wa Nnyano na Nnyano na M'], SHORTMONTHS: ['Jan', 'Feb', 'Mac', 'Apr', 'Mei', 'Jun', 'Jul', 'Ago', 'Sep', 'Okt', 'Nov', 'Des'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mac', 'Apr', 'Mei', 'Jun', 'Jul', 'Ago', 'Sep', 'Okt', 'Nov', 'Des'], WEEKDAYS: ['Liduva lyapili', 'Liduva lyatatu', 'Liduva lyanchechi', 'Liduva lyannyano', 'Liduva lyannyano na linji', 'Liduva lyannyano na mavili', 'Liduva litandi'], STANDALONEWEEKDAYS: ['Liduva lyapili', 'Liduva lyatatu', 'Liduva lyanchechi', 'Liduva lyannyano', 'Liduva lyannyano na linji', 'Liduva lyannyano na mavili', 'Liduva litandi'], SHORTWEEKDAYS: ['Ll2', 'Ll3', 'Ll4', 'Ll5', 'Ll6', 'Ll7', 'Ll1'], STANDALONESHORTWEEKDAYS: ['Ll2', 'Ll3', 'Ll4', 'Ll5', 'Ll6', 'Ll7', 'Ll1'], NARROWWEEKDAYS: ['2', '3', '4', '5', '6', '7', '1'], STANDALONENARROWWEEKDAYS: ['2', '3', '4', '5', '6', '7', '1'], SHORTQUARTERS: ['L1', 'L2', 'L3', 'L4'], QUARTERS: ['Lobo 1', 'Lobo 2', 'Lobo 3', 'Lobo 4'], AMPMS: ['Muhi', 'Chilo'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yyyy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale kde_TZ. */ goog.i18n.DateTimeSymbols_kde_TZ = goog.i18n.DateTimeSymbols_kde; /** * Date/time formatting symbols for locale kea. */ goog.i18n.DateTimeSymbols_kea = { ERAS: ['AK', 'DK'], ERANAMES: ['Antis di Kristu', 'Dispos di Kristu'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['Janeru', 'Fevereru', 'Marsu', 'Abril', 'Maiu', 'Junhu', 'Julhu', 'Agostu', 'Setenbru', 'Otubru', 'Nuvenbru', 'Dizenbru'], STANDALONEMONTHS: ['Janeru', 'Fevereru', 'Marsu', 'Abril', 'Maiu', 'Junhu', 'Julhu', 'Agostu', 'Setenbru', 'Otubru', 'Nuvenbru', 'Dizenbru'], SHORTMONTHS: ['Jan', 'Fev', 'Mar', 'Abr', 'Mai', 'Jun', 'Jul', 'Ago', 'Set', 'Otu', 'Nuv', 'Diz'], STANDALONESHORTMONTHS: ['Jan', 'Fev', 'Mar', 'Abr', 'Mai', 'Jun', 'Jul', 'Ago', 'Set', 'Otu', 'Nuv', 'Diz'], WEEKDAYS: ['dumingu', 'sigunda-fera', 'tersa-fera', 'kuarta-fera', 'kinta-fera', 'sesta-fera', 'sabadu'], STANDALONEWEEKDAYS: ['dumingu', 'sigunda-fera', 'tersa-fera', 'kuarta-fera', 'kinta-fera', 'sesta-fera', 'sabadu'], SHORTWEEKDAYS: ['dum', 'sig', 'ter', 'kua', 'kin', 'ses', 'sab'], STANDALONESHORTWEEKDAYS: ['dum', 'sig', 'ter', 'kua', 'kin', 'ses', 'sab'], NARROWWEEKDAYS: ['d', 's', 't', 'k', 'k', 's', 's'], STANDALONENARROWWEEKDAYS: ['d', 's', 't', 'k', 'k', 's', 's'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['Primeru Trimestri', 'Sigundu Trimestri', 'Terseru Trimestri', 'Kuartu Trimestri'], AMPMS: ['am', 'pm'], DATEFORMATS: ['EEEE, d \'di\' MMMM \'di\' y', 'd \'di\' MMMM \'di\' y', 'd \'di\' MMM \'di\' y', 'd/M/yyyy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale kea_CV. */ goog.i18n.DateTimeSymbols_kea_CV = goog.i18n.DateTimeSymbols_kea; /** * Date/time formatting symbols for locale khq. */ goog.i18n.DateTimeSymbols_khq = { ERAS: ['IJ', 'IZ'], ERANAMES: ['Isaa jine', 'Isaa jamanoo'], NARROWMONTHS: ['Ž', 'F', 'M', 'A', 'M', 'Ž', 'Ž', 'U', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['Ž', 'F', 'M', 'A', 'M', 'Ž', 'Ž', 'U', 'S', 'O', 'N', 'D'], MONTHS: ['Žanwiye', 'Feewiriye', 'Marsi', 'Awiril', 'Me', 'Žuweŋ', 'Žuyye', 'Ut', 'Sektanbur', 'Oktoobur', 'Noowanbur', 'Deesanbur'], STANDALONEMONTHS: ['Žanwiye', 'Feewiriye', 'Marsi', 'Awiril', 'Me', 'Žuweŋ', 'Žuyye', 'Ut', 'Sektanbur', 'Oktoobur', 'Noowanbur', 'Deesanbur'], SHORTMONTHS: ['Žan', 'Fee', 'Mar', 'Awi', 'Me', 'Žuw', 'Žuy', 'Ut', 'Sek', 'Okt', 'Noo', 'Dee'], STANDALONESHORTMONTHS: ['Žan', 'Fee', 'Mar', 'Awi', 'Me', 'Žuw', 'Žuy', 'Ut', 'Sek', 'Okt', 'Noo', 'Dee'], WEEKDAYS: ['Alhadi', 'Atini', 'Atalata', 'Alarba', 'Alhamiisa', 'Aljuma', 'Assabdu'], STANDALONEWEEKDAYS: ['Alhadi', 'Atini', 'Atalata', 'Alarba', 'Alhamiisa', 'Aljuma', 'Assabdu'], SHORTWEEKDAYS: ['Alh', 'Ati', 'Ata', 'Ala', 'Alm', 'Alj', 'Ass'], STANDALONESHORTWEEKDAYS: ['Alh', 'Ati', 'Ata', 'Ala', 'Alm', 'Alj', 'Ass'], NARROWWEEKDAYS: ['H', 'T', 'T', 'L', 'L', 'L', 'S'], STANDALONENARROWWEEKDAYS: ['H', 'T', 'T', 'L', 'L', 'L', 'S'], SHORTQUARTERS: ['A1', 'A2', 'A3', 'A4'], QUARTERS: ['Arrubu 1', 'Arrubu 2', 'Arrubu 3', 'Arrubu 4'], AMPMS: ['Adduha', 'Aluula'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM, y', 'd/M/yyyy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale khq_ML. */ goog.i18n.DateTimeSymbols_khq_ML = goog.i18n.DateTimeSymbols_khq; /** * Date/time formatting symbols for locale ki. */ goog.i18n.DateTimeSymbols_ki = { ERAS: ['MK', 'TK'], ERANAMES: ['Mbere ya Kristo', 'Thutha wa Kristo'], NARROWMONTHS: ['J', 'K', 'G', 'K', 'G', 'G', 'M', 'K', 'K', 'I', 'I', 'D'], STANDALONENARROWMONTHS: ['J', 'K', 'G', 'K', 'G', 'G', 'M', 'K', 'K', 'I', 'I', 'D'], MONTHS: ['Njenuarĩ', 'Mwere wa kerĩ', 'Mwere wa gatatũ', 'Mwere wa kana', 'Mwere wa gatano', 'Mwere wa gatandatũ', 'Mwere wa mũgwanja', 'Mwere wa kanana', 'Mwere wa kenda', 'Mwere wa ikũmi', 'Mwere wa ikũmi na ũmwe', 'Ndithemba'], STANDALONEMONTHS: ['Njenuarĩ', 'Mwere wa kerĩ', 'Mwere wa gatatũ', 'Mwere wa kana', 'Mwere wa gatano', 'Mwere wa gatandatũ', 'Mwere wa mũgwanja', 'Mwere wa kanana', 'Mwere wa kenda', 'Mwere wa ikũmi', 'Mwere wa ikũmi na ũmwe', 'Ndithemba'], SHORTMONTHS: ['JEN', 'WKR', 'WGT', 'WKN', 'WTN', 'WTD', 'WMJ', 'WNN', 'WKD', 'WIK', 'WMW', 'DIT'], STANDALONESHORTMONTHS: ['JEN', 'WKR', 'WGT', 'WKN', 'WTN', 'WTD', 'WMJ', 'WNN', 'WKD', 'WIK', 'WMW', 'DIT'], WEEKDAYS: ['Kiumia', 'Njumatatũ', 'Njumaine', 'Njumatana', 'Aramithi', 'Njumaa', 'Njumamothi'], STANDALONEWEEKDAYS: ['Kiumia', 'Njumatatũ', 'Njumaine', 'Njumatana', 'Aramithi', 'Njumaa', 'Njumamothi'], SHORTWEEKDAYS: ['KMA', 'NTT', 'NMN', 'NMT', 'ART', 'NMA', 'NMM'], STANDALONESHORTWEEKDAYS: ['KMA', 'NTT', 'NMN', 'NMT', 'ART', 'NMA', 'NMM'], NARROWWEEKDAYS: ['K', 'N', 'N', 'N', 'A', 'N', 'N'], STANDALONENARROWWEEKDAYS: ['K', 'N', 'N', 'N', 'A', 'N', 'N'], SHORTQUARTERS: ['R1', 'R2', 'R3', 'R4'], QUARTERS: ['Robo ya mbere', 'Robo ya kerĩ', 'Robo ya gatatũ', 'Robo ya kana'], AMPMS: ['Kiroko', 'Hwaĩ-inĩ'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yyyy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale ki_KE. */ goog.i18n.DateTimeSymbols_ki_KE = goog.i18n.DateTimeSymbols_ki; /** * Date/time formatting symbols for locale kk. */ goog.i18n.DateTimeSymbols_kk = { ERAS: ['BCE', 'CE'], ERANAMES: ['BCE', 'CE'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['қаңтар', 'ақпан', 'наурыз', 'сәуір', 'мамыр', 'маусым', 'шілде', 'тамыз', 'қыркүйек', 'қазан', 'қараша', 'желтоқсан'], STANDALONEMONTHS: ['қаңтар', 'Ақпан', 'наурыз', 'сәуір', 'мамыр', 'маусым', 'шілде', 'тамыз', 'қыркүйек', 'қазан', 'қараша', 'желтоқсан'], SHORTMONTHS: ['қаң.', 'ақп.', 'нау.', 'сәу.', 'мам.', 'мау.', 'шіл.', 'там.', 'қыр.', 'қаз.', 'қар.', 'желт.'], STANDALONESHORTMONTHS: ['қаң.', 'ақп.', 'нау.', 'сәу.', 'мам.', 'мау.', 'шіл.', 'там.', 'қыр.', 'қаз.', 'қар.', 'желт.'], WEEKDAYS: ['жексені', 'дуйсенбі', 'сейсенбі', 'сәренбі', 'бейсенбі', 'жұма', 'сенбі'], STANDALONEWEEKDAYS: ['жексенбі', 'дүйсенбі', 'сейсенбі', 'сәрсенбі', 'бейсенбі', 'жұма', 'сенбі'], SHORTWEEKDAYS: ['жс.', 'дс.', 'сс.', 'ср.', 'бс.', 'жм.', 'сһ.'], STANDALONESHORTWEEKDAYS: ['жс.', 'дс.', 'сс.', 'ср.', 'бс.', 'жм.', 'сн.'], NARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], STANDALONENARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], SHORTQUARTERS: ['Q1', 'Q2', '3-інші тоқсан', '4-інші тоқсан'], QUARTERS: ['Q1', 'Q2', '3-інші тоқсан', '4-інші тоқсан'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, d MMMM y \'ж\'.', 'd MMMM y \'ж\'.', 'dd.MM.yyyy', 'dd.MM.yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale kk_Cyrl. */ goog.i18n.DateTimeSymbols_kk_Cyrl = goog.i18n.DateTimeSymbols_kk; /** * Date/time formatting symbols for locale kk_Cyrl_KZ. */ goog.i18n.DateTimeSymbols_kk_Cyrl_KZ = goog.i18n.DateTimeSymbols_kk; /** * Date/time formatting symbols for locale kl. */ goog.i18n.DateTimeSymbols_kl = { ERAS: ['Kr.in.si.', 'Kr.in.king.'], ERANAMES: ['Kristusip inunngornerata siornagut', 'Kristusip inunngornerata kingornagut'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['januari', 'februari', 'martsi', 'aprili', 'maji', 'juni', 'juli', 'augustusi', 'septemberi', 'oktoberi', 'novemberi', 'decemberi'], STANDALONEMONTHS: ['januari', 'februari', 'martsi', 'aprili', 'maji', 'juni', 'juli', 'augustusi', 'septemberi', 'oktoberi', 'novemberi', 'decemberi'], SHORTMONTHS: ['jan', 'feb', 'mar', 'apr', 'maj', 'jun', 'jul', 'aug', 'sep', 'okt', 'nov', 'dec'], STANDALONESHORTMONTHS: ['jan', 'feb', 'mar', 'apr', 'maj', 'jun', 'jul', 'aug', 'sep', 'okt', 'nov', 'dec'], WEEKDAYS: ['sabaat', 'ataasinngorneq', 'marlunngorneq', 'pingasunngorneq', 'sisamanngorneq', 'tallimanngorneq', 'arfininngorneq'], STANDALONEWEEKDAYS: ['sabaat', 'ataasinngorneq', 'marlunngorneq', 'pingasunngorneq', 'sisamanngorneq', 'tallimanngorneq', 'arfininngorneq'], SHORTWEEKDAYS: ['sab', 'ata', 'mar', 'pin', 'sis', 'tal', 'arf'], STANDALONESHORTWEEKDAYS: ['sab', 'ata', 'mar', 'pin', 'sis', 'tal', 'arf'], NARROWWEEKDAYS: ['S', 'A', 'M', 'P', 'S', 'T', 'A'], STANDALONENARROWWEEKDAYS: ['S', 'A', 'M', 'P', 'S', 'T', 'A'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], AMPMS: ['ulloqeqqata-tungaa', 'ulloqeqqata-kingorna'], DATEFORMATS: ['EEEE dd MMMM y', 'dd MMMM y', 'MMM dd, y', 'yyyy-MM-dd'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale kl_GL. */ goog.i18n.DateTimeSymbols_kl_GL = goog.i18n.DateTimeSymbols_kl; /** * Date/time formatting symbols for locale kln. */ goog.i18n.DateTimeSymbols_kln = { ERAS: ['AM', 'KO'], ERANAMES: ['Amait kesich Jesu', 'Kokakesich Jesu'], NARROWMONTHS: ['M', 'N', 'K', 'I', 'N', 'W', 'R', 'K', 'B', 'E', 'K', 'K'], STANDALONENARROWMONTHS: ['M', 'N', 'K', 'I', 'N', 'W', 'R', 'K', 'B', 'E', 'K', 'K'], MONTHS: ['Mulgul', 'Ng\'atyato', 'Kiptamo', 'Iwat kut', 'Ng\'eiyet', 'Waki', 'Roptui', 'Kipkogaga', 'Buret', 'Epeso', 'Kipsunde netai', 'Kipsunde nebo aeng'], STANDALONEMONTHS: ['Mulgul', 'Ng\'atyato', 'Kiptamo', 'Iwat kut', 'Ng\'eiyet', 'Waki', 'Roptui', 'Kipkogaga', 'Buret', 'Epeso', 'Kipsunde netai', 'Kipsunde nebo aeng'], SHORTMONTHS: ['Mul', 'Nga', 'Kip', 'Iwa', 'Nge', 'Wak', 'Rop', 'Kog', 'Bur', 'Epe', 'Tai', 'Aen'], STANDALONESHORTMONTHS: ['Mul', 'Nga', 'Kip', 'Iwa', 'Nge', 'Wak', 'Rop', 'Kog', 'Bur', 'Epe', 'Tai', 'Aen'], WEEKDAYS: ['Betutab tisap', 'Betut netai', 'Betutab aeng\'', 'Betutab somok', 'Betutab ang\'wan', 'Betutab mut', 'Betutab lo'], STANDALONEWEEKDAYS: ['Betutab tisap', 'Betut netai', 'Betutab aeng\'', 'Betutab somok', 'Betutab ang\'wan', 'Betutab mut', 'Betutab lo'], SHORTWEEKDAYS: ['Tis', 'Tai', 'Aen', 'Som', 'Ang', 'Mut', 'Loh'], STANDALONESHORTWEEKDAYS: ['Tis', 'Tai', 'Aen', 'Som', 'Ang', 'Mut', 'Loh'], NARROWWEEKDAYS: ['T', 'T', 'A', 'S', 'A', 'M', 'L'], STANDALONENARROWWEEKDAYS: ['T', 'T', 'A', 'S', 'A', 'M', 'L'], SHORTQUARTERS: ['R1', 'R2', 'R3', 'R4'], QUARTERS: ['Robo netai', 'Robo nebo aeng\'', 'Robo nebo somok', 'Robo nebo ang\'wan'], AMPMS: ['Beet', 'Kemo'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yyyy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale kln_KE. */ goog.i18n.DateTimeSymbols_kln_KE = goog.i18n.DateTimeSymbols_kln; /** * Date/time formatting symbols for locale km. */ goog.i18n.DateTimeSymbols_km = { ERAS: ['មុន​គ.ស.', 'គ.ស.'], ERANAMES: ['មុន​គ្រិស្តសករាជ', 'គ្រិស្តសករាជ'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['មករា', 'កុម្ភៈ', 'មិនា', 'មេសា', 'ឧសភា', 'មិថុនា', 'កក្កដា', 'សីហា', 'កញ្ញា', 'តុលា', 'វិច្ឆិកា', 'ធ្នូ'], STANDALONEMONTHS: ['មករា', 'កុម្ភៈ', 'មិនា', 'មេសា', 'ឧសភា', 'មិថុនា', 'កក្កដា', 'សីហា', 'កញ្ញា', 'តុលា', 'វិច្ឆិកា', 'ធ្នូ'], SHORTMONTHS: ['១', '២', '៣', '៤', '៥', '៦', '៧', '៨', '៩', '១០', '១១', '១២'], STANDALONESHORTMONTHS: ['១', '២', '៣', '៤', '៥', '៦', '៧', '៨', '៩', '១០', '១១', '១២'], WEEKDAYS: ['ថ្ងៃអាទិត្យ', '​ថ្ងៃច័ន្ទ', 'ថ្ងៃអង្គារ', 'ថ្ងៃពុធ', 'ថ្ងៃព្រហស្បតិ៍', 'ថ្ងៃសុក្រ', 'ថ្ងៃសៅរ៍'], STANDALONEWEEKDAYS: ['ថ្ងៃអាទិត្យ', '​ថ្ងៃច័ន្ទ', 'ថ្ងៃអង្គារ', 'ថ្ងៃពុធ', 'ថ្ងៃព្រហស្បតិ៍', 'ថ្ងៃសុក្រ', 'ថ្ងៃសៅរ៍'], SHORTWEEKDAYS: ['អា', 'ច', 'អ', 'ពុ', 'ព្រ', 'សុ', 'ស'], STANDALONESHORTWEEKDAYS: ['អា', 'ច', 'អ', 'ពុ', 'ព្រ', 'សុ', 'ស'], NARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], STANDALONENARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], SHORTQUARTERS: ['ត្រី១', 'ត្រី២', 'ត្រី៣', 'ត្រី៤'], QUARTERS: ['ត្រីមាសទី១', 'ត្រីមាសទី២', 'ត្រីមាសទី៣', 'ត្រីមាសទី៤'], AMPMS: ['ព្រឹក', 'ល្ងាច'], DATEFORMATS: ['EEEE ថ្ងៃ d ខែ MMMM ឆ្នាំ y', 'd ខែ MMMM ឆ្នាំ y', 'd MMM y', 'd/M/yyyy'], TIMEFORMATS: ['H ម៉ោង m នាទី ss វិនាទី​ zzzz', 'H ម៉ោង m នាទី ss វិនាទី​z', 'H:mm:ss', 'H:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale km_KH. */ goog.i18n.DateTimeSymbols_km_KH = goog.i18n.DateTimeSymbols_km; /** * Date/time formatting symbols for locale kn_IN. */ goog.i18n.DateTimeSymbols_kn_IN = { ERAS: ['ಕ್ರಿ.ಪೂ', 'ಜಾಹೀ'], ERANAMES: ['ಈಸಪೂವ೯.', 'ಕ್ರಿಸ್ತ ಶಕ'], NARROWMONTHS: ['ಜ', 'ಫೆ', 'ಮಾ', 'ಎ', 'ಮೇ', 'ಜೂ', 'ಜು', 'ಆ', 'ಸೆ', 'ಅ', 'ನ', 'ಡಿ'], STANDALONENARROWMONTHS: ['ಜ', 'ಫೆ', 'ಮಾ', 'ಎ', 'ಮೇ', 'ಜೂ', 'ಜು', 'ಆ', 'ಸೆ', 'ಅ', 'ನ', 'ಡಿ'], MONTHS: ['ಜನವರೀ', 'ಫೆಬ್ರವರೀ', 'ಮಾರ್ಚ್', 'ಎಪ್ರಿಲ್', 'ಮೆ', 'ಜೂನ್', 'ಜುಲೈ', 'ಆಗಸ್ಟ್', 'ಸಪ್ಟೆಂಬರ್', 'ಅಕ್ಟೋಬರ್', 'ನವೆಂಬರ್', 'ಡಿಸೆಂಬರ್'], STANDALONEMONTHS: ['ಜನವರೀ', 'ಫೆಬ್ರವರೀ', 'ಮಾರ್ಚ್', 'ಎಪ್ರಿಲ್', 'ಮೆ', 'ಜೂನ್', 'ಜುಲೈ', 'ಆಗಸ್ಟ್', 'ಸಪ್ಟೆಂಬರ್', 'ಅಕ್ಟೋಬರ್', 'ನವೆಂಬರ್', 'ಡಿಸೆಂಬರ್'], SHORTMONTHS: ['ಜನವರೀ', 'ಫೆಬ್ರವರೀ', 'ಮಾರ್ಚ್', 'ಎಪ್ರಿಲ್', 'ಮೆ', 'ಜೂನ್', 'ಜುಲೈ', 'ಆಗಸ್ಟ್', 'ಸಪ್ಟೆಂಬರ್', 'ಅಕ್ಟೋಬರ್', 'ನವೆಂಬರ್', 'ಡಿಸೆಂಬರ್'], STANDALONESHORTMONTHS: ['ಜನವರೀ', 'ಫೆಬ್ರವರೀ', 'ಮಾರ್ಚ್', 'ಎಪ್ರಿಲ್', 'ಮೆ', 'ಜೂನ್', 'ಜುಲೈ', 'ಆಗಸ್ಟ್', 'ಸಪ್ಟೆಂಬರ್', 'ಅಕ್ಟೋಬರ್', 'ನವೆಂಬರ್', 'ಡಿಸೆಂಬರ್'], WEEKDAYS: ['ರವಿವಾರ', 'ಸೋಮವಾರ', 'ಮಂಗಳವಾರ', 'ಬುಧವಾರ', 'ಗುರುವಾರ', 'ಶುಕ್ರವಾರ', 'ಶನಿವಾರ'], STANDALONEWEEKDAYS: ['ರವಿವಾರ', 'ಸೋಮವಾರ', 'ಮಂಗಳವಾರ', 'ಬುಧವಾರ', 'ಗುರುವಾರ', 'ಶುಕ್ರವಾರ', 'ಶನಿವಾರ'], SHORTWEEKDAYS: ['ರ.', 'ಸೋ.', 'ಮಂ.', 'ಬು.', 'ಗು.', 'ಶು.', 'ಶನಿ.'], STANDALONESHORTWEEKDAYS: ['ರ.', 'ಸೋ.', 'ಮಂ.', 'ಬು.', 'ಗು.', 'ಶು.', 'ಶನಿ.'], NARROWWEEKDAYS: ['ರ', 'ಸೋ', 'ಮಂ', 'ಬು', 'ಗು', 'ಶು', 'ಶ'], STANDALONENARROWWEEKDAYS: ['ರ', 'ಸೋ', 'ಮಂ', 'ಬು', 'ಗು', 'ಶು', 'ಶ'], SHORTQUARTERS: ['ಒಂದು 1', 'ಎರಡು 2', 'ಮೂರು 3', 'ನಾಲೃಕ 4'], QUARTERS: ['ಒಂದು 1', 'ಎರಡು 2', 'ಮೂರು 3', 'ನಾಲೃಕ 4'], AMPMS: ['am', 'pm'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'd-M-yy'], TIMEFORMATS: ['hh:mm:ss a zzzz', 'hh:mm:ss a z', 'hh:mm:ss a', 'hh:mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [6, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale ko_KR. */ goog.i18n.DateTimeSymbols_ko_KR = { ERAS: ['기원전', '서기'], ERANAMES: ['서력기원전', '서력기원'], NARROWMONTHS: ['1월', '2월', '3월', '4월', '5월', '6월', '7월', '8월', '9월', '10월', '11월', '12월'], STANDALONENARROWMONTHS: ['1월', '2월', '3월', '4월', '5월', '6월', '7월', '8월', '9월', '10월', '11월', '12월'], MONTHS: ['1월', '2월', '3월', '4월', '5월', '6월', '7월', '8월', '9월', '10월', '11월', '12월'], STANDALONEMONTHS: ['1월', '2월', '3월', '4월', '5월', '6월', '7월', '8월', '9월', '10월', '11월', '12월'], SHORTMONTHS: ['1월', '2월', '3월', '4월', '5월', '6월', '7월', '8월', '9월', '10월', '11월', '12월'], STANDALONESHORTMONTHS: ['1월', '2월', '3월', '4월', '5월', '6월', '7월', '8월', '9월', '10월', '11월', '12월'], WEEKDAYS: ['일요일', '월요일', '화요일', '수요일', '목요일', '금요일', '토요일'], STANDALONEWEEKDAYS: ['일요일', '월요일', '화요일', '수요일', '목요일', '금요일', '토요일'], SHORTWEEKDAYS: ['일', '월', '화', '수', '목', '금', '토'], STANDALONESHORTWEEKDAYS: ['일', '월', '화', '수', '목', '금', '토'], NARROWWEEKDAYS: ['일', '월', '화', '수', '목', '금', '토'], STANDALONENARROWWEEKDAYS: ['일', '월', '화', '수', '목', '금', '토'], SHORTQUARTERS: ['1분기', '2분기', '3분기', '4분기'], QUARTERS: ['제 1/4분기', '제 2/4분기', '제 3/4분기', '제 4/4분기'], AMPMS: ['오전', '오후'], DATEFORMATS: ['y년 M월 d일 EEEE', 'y년 M월 d일', 'yyyy. M. d.', 'yy. M. d.'], TIMEFORMATS: ['a h시 m분 s초 zzzz', 'a h시 m분 s초 z', 'a h:mm:ss', 'a h:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale kok. */ goog.i18n.DateTimeSymbols_kok = { ERAS: ['क्रिस्तपूर्व', 'क्रिस्तशखा'], ERANAMES: ['क्रिस्तपूर्व', 'क्रिस्तशखा'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['जानेवारी', 'फेब्रुवारी', 'मार्च', 'एप्रिल', 'मे', 'जून', 'जुलै', 'ओगस्ट', 'सेप्टेंबर', 'ओक्टोबर', 'नोव्हेंबर', 'डिसेंबर'], STANDALONEMONTHS: ['जानेवारी', 'फेब्रुवारी', 'मार्च', 'एप्रिल', 'मे', 'जून', 'जुलै', 'ओगस्ट', 'सेप्टेंबर', 'ओक्टोबर', 'नोव्हेंबर', 'डिसेंबर'], SHORTMONTHS: ['जानेवारी', 'फेब्रुवारी', 'मार्च', 'एप्रिल', 'मे', 'जून', 'जुलै', 'ओगस्ट', 'सेप्टेंबर', 'ओक्टोबर', 'नोव्हेंबर', 'डिसेंबर'], STANDALONESHORTMONTHS: ['जानेवारी', 'फेब्रुवारी', 'मार्च', 'एप्रिल', 'मे', 'जून', 'जुलै', 'ओगस्ट', 'सेप्टेंबर', 'ओक्टोबर', 'नोव्हेंबर', 'डिसेंबर'], WEEKDAYS: ['आदित्यवार', 'सोमवार', 'मंगळार', 'बुधवार', 'गुरुवार', 'शुक्रवार', 'शनिवार'], STANDALONEWEEKDAYS: ['आदित्यवार', 'सोमवार', 'मंगळार', 'बुधवार', 'गुरुवार', 'शुक्रवार', 'शनिवार'], SHORTWEEKDAYS: ['रवि', 'सोम', 'मंगळ', 'बुध', 'गुरु', 'शुक्र', 'शनि'], STANDALONESHORTWEEKDAYS: ['रवि', 'सोम', 'मंगळ', 'बुध', 'गुरु', 'शुक्र', 'शनि'], NARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], STANDALONENARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], AMPMS: ['म.पू.', 'म.नं.'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'dd-MM-yyyy', 'd-M-yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [6, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale kok_IN. */ goog.i18n.DateTimeSymbols_kok_IN = goog.i18n.DateTimeSymbols_kok; /** * Date/time formatting symbols for locale ksb. */ goog.i18n.DateTimeSymbols_ksb = { ERAS: ['KK', 'BK'], ERANAMES: ['Kabla ya Klisto', 'Baada ya Klisto'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['Januali', 'Febluali', 'Machi', 'Aplili', 'Mei', 'Juni', 'Julai', 'Agosti', 'Septemba', 'Oktoba', 'Novemba', 'Desemba'], STANDALONEMONTHS: ['Januali', 'Febluali', 'Machi', 'Aplili', 'Mei', 'Juni', 'Julai', 'Agosti', 'Septemba', 'Oktoba', 'Novemba', 'Desemba'], SHORTMONTHS: ['Jan', 'Feb', 'Mac', 'Apr', 'Mei', 'Jun', 'Jul', 'Ago', 'Sep', 'Okt', 'Nov', 'Des'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mac', 'Apr', 'Mei', 'Jun', 'Jul', 'Ago', 'Sep', 'Okt', 'Nov', 'Des'], WEEKDAYS: ['Jumaapii', 'Jumaatatu', 'Jumaane', 'Jumaatano', 'Alhamisi', 'Ijumaa', 'Jumaamosi'], STANDALONEWEEKDAYS: ['Jumaapii', 'Jumaatatu', 'Jumaane', 'Jumaatano', 'Alhamisi', 'Ijumaa', 'Jumaamosi'], SHORTWEEKDAYS: ['Jpi', 'Jtt', 'Jmn', 'Jtn', 'Alh', 'Iju', 'Jmo'], STANDALONESHORTWEEKDAYS: ['Jpi', 'Jtt', 'Jmn', 'Jtn', 'Alh', 'Iju', 'Jmo'], NARROWWEEKDAYS: ['2', '3', '4', '5', 'A', 'I', '1'], STANDALONENARROWWEEKDAYS: ['2', '3', '4', '5', 'A', 'I', '1'], SHORTQUARTERS: ['L1', 'L2', 'L3', 'L4'], QUARTERS: ['Lobo ya bosi', 'Lobo ya mbii', 'Lobo ya nnd\'atu', 'Lobo ya nne'], AMPMS: ['makeo', 'nyiaghuo'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yyyy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale ksb_TZ. */ goog.i18n.DateTimeSymbols_ksb_TZ = goog.i18n.DateTimeSymbols_ksb; /** * Date/time formatting symbols for locale ksf. */ goog.i18n.DateTimeSymbols_ksf = { ERAS: ['d.Y.', 'k.Y.'], ERANAMES: ['di Yɛ́sus aká yálɛ', 'cámɛɛn kǝ kǝbɔpka Y'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['ŋwíí a ntɔ́ntɔ', 'ŋwíí akǝ bɛ́ɛ', 'ŋwíí akǝ ráá', 'ŋwíí akǝ nin', 'ŋwíí akǝ táan', 'ŋwíí akǝ táafɔk', 'ŋwíí akǝ táabɛɛ', 'ŋwíí akǝ táaraa', 'ŋwíí akǝ táanin', 'ŋwíí akǝ ntɛk', 'ŋwíí akǝ ntɛk di bɔ́k', 'ŋwíí akǝ ntɛk di bɛ́ɛ'], STANDALONEMONTHS: ['ŋwíí a ntɔ́ntɔ', 'ŋwíí akǝ bɛ́ɛ', 'ŋwíí akǝ ráá', 'ŋwíí akǝ nin', 'ŋwíí akǝ táan', 'ŋwíí akǝ táafɔk', 'ŋwíí akǝ táabɛɛ', 'ŋwíí akǝ táaraa', 'ŋwíí akǝ táanin', 'ŋwíí akǝ ntɛk', 'ŋwíí akǝ ntɛk di bɔ́k', 'ŋwíí akǝ ntɛk di bɛ́ɛ'], SHORTMONTHS: ['ŋ1', 'ŋ2', 'ŋ3', 'ŋ4', 'ŋ5', 'ŋ6', 'ŋ7', 'ŋ8', 'ŋ9', 'ŋ10', 'ŋ11', 'ŋ12'], STANDALONESHORTMONTHS: ['ŋ1', 'ŋ2', 'ŋ3', 'ŋ4', 'ŋ5', 'ŋ6', 'ŋ7', 'ŋ8', 'ŋ9', 'ŋ10', 'ŋ11', 'ŋ12'], WEEKDAYS: ['sɔ́ndǝ', 'lǝndí', 'maadí', 'mɛkrɛdí', 'jǝǝdí', 'júmbá', 'samdí'], STANDALONEWEEKDAYS: ['sɔ́ndǝ', 'lǝndí', 'maadí', 'mɛkrɛdí', 'jǝǝdí', 'júmbá', 'samdí'], SHORTWEEKDAYS: ['sɔ́n', 'lǝn', 'maa', 'mɛk', 'jǝǝ', 'júm', 'sam'], STANDALONESHORTWEEKDAYS: ['sɔ́n', 'lǝn', 'maa', 'mɛk', 'jǝǝ', 'júm', 'sam'], NARROWWEEKDAYS: ['s', 'l', 'm', 'm', 'j', 'j', 's'], STANDALONENARROWWEEKDAYS: ['s', 'l', 'm', 'm', 'j', 'j', 's'], SHORTQUARTERS: ['i1', 'i2', 'i3', 'i4'], QUARTERS: ['id́ɛ́n kǝbǝk kǝ ntɔ́ntɔ́', 'idɛ́n kǝbǝk kǝ kǝbɛ́ɛ', 'idɛ́n kǝbǝk kǝ kǝráá', 'idɛ́n kǝbǝk kǝ kǝnin'], AMPMS: ['sárúwá', 'cɛɛ́nko'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'd/M/yyyy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale ksf_CM. */ goog.i18n.DateTimeSymbols_ksf_CM = goog.i18n.DateTimeSymbols_ksf; /** * Date/time formatting symbols for locale ksh. */ goog.i18n.DateTimeSymbols_ksh = { ERAS: ['v.Ch.', 'n.Ch.'], ERANAMES: ['vür Chrestus', 'noh Chrestus'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['Jannewa', 'Fäbrowa', 'Määz', 'Aprell', 'Mäi', 'Juuni', 'Juuli', 'Oujoß', 'Septämber', 'Oktoober', 'Novämber', 'Dezämber'], STANDALONEMONTHS: ['Jannewa', 'Fäbrowa', 'Määz', 'Aprell', 'Mäi', 'Juuni', 'Juuli', 'Oujoß', 'Septämber', 'Oktoober', 'Novämber', 'Dezämber'], SHORTMONTHS: ['Jan.', 'Fäb.', 'Mar.', 'Apr.', 'Mäi', 'Jun.', 'Jul.', 'Oug.', 'Säp.', 'Okt.', 'Nov.', 'Dez.'], STANDALONESHORTMONTHS: ['Jan.', 'Fäb.', 'Mar.', 'Apr.', 'Mäi', 'Jun.', 'Jul.', 'Oug.', 'Säp.', 'Okt.', 'Nov.', 'Dez.'], WEEKDAYS: ['Sunndaach', 'Moondaach', 'Dinnsdaach', 'Metwoch', 'Dunnersdaach', 'Friidaach', 'Samsdaach'], STANDALONEWEEKDAYS: ['Sunndaach', 'Moondaach', 'Dinnsdaach', 'Metwoch', 'Dunnersdaach', 'Friidaach', 'Samsdaach'], SHORTWEEKDAYS: ['Su.', 'Mo.', 'Di.', 'Me.', 'Du.', 'Fr.', 'Sa.'], STANDALONESHORTWEEKDAYS: ['Su.', 'Mo.', 'Di.', 'Me.', 'Du.', 'Fr.', 'Sa.'], NARROWWEEKDAYS: ['S', 'M', 'D', 'M', 'D', 'F', 'S'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'D', 'M', 'D', 'F', 'S'], SHORTQUARTERS: ['1.Q.', '2.Q.', '3.Q.', '4.Q.'], QUARTERS: ['1. Quattaal', '2. Quattaal', '3. Quattaal', '4. Quattaal'], AMPMS: ['Uhr des vormittags', 'Uhr des nachmittags'], DATEFORMATS: ['EEEE, \'dä\' d. MMMM y', 'd. MMMM y', 'd. MMM y', 'd. M. yyyy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale ksh_DE. */ goog.i18n.DateTimeSymbols_ksh_DE = goog.i18n.DateTimeSymbols_ksh; /** * Date/time formatting symbols for locale ku. */ goog.i18n.DateTimeSymbols_ku = { ERAS: ['BZ', 'PZ'], ERANAMES: ['BZ', 'PZ'], NARROWMONTHS: ['ç', 's', 'a', 'n', 'g', 'h', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['ç', 's', 'a', 'n', 'g', 'h', '7', '8', '9', '10', '11', '12'], MONTHS: ['çile', 'sibat', 'adar', 'nîsan', 'gulan', 'hezîran', '7', '8', '9', '10', '11', '12'], STANDALONEMONTHS: ['çile', 'sibat', 'adar', 'nîsan', 'gulan', 'hezîran', '7', '8', '9', '10', '11', '12'], SHORTMONTHS: ['çil', 'sib', 'adr', 'nîs', 'gul', 'hez', 'tîr', '8', '9', '10', '11', '12'], STANDALONESHORTMONTHS: ['çil', 'sib', 'adr', 'nîs', 'gul', 'hez', 'tîr', '8', '9', '10', '11', '12'], WEEKDAYS: ['yekşem', 'duşem', 'şê', 'çarşem', 'pêncşem', 'în', 'şemî'], STANDALONEWEEKDAYS: ['yekşem', 'duşem', 'şê', 'çarşem', 'pêncşem', 'în', 'şemî'], SHORTWEEKDAYS: ['yş', 'dş', 'sş', 'çş', 'pş', 'în', 'ş'], STANDALONESHORTWEEKDAYS: ['yş', 'dş', 'sş', 'çş', 'pş', 'în', 'ş'], NARROWWEEKDAYS: ['y', 'd', 's', 'ç', 'p', 'î', 'ş'], STANDALONENARROWWEEKDAYS: ['y', 'd', 's', 'ç', 'p', 'î', 'ş'], SHORTQUARTERS: ['Ç1', 'Ç2', 'Ç3', 'Ç4'], QUARTERS: ['Ç1', 'Ç2', 'Ç3', 'Ç4'], AMPMS: ['BN', 'PN'], DATEFORMATS: ['EEEE, y MMMM dd', 'y MMMM d', 'y MMM d', 'yyyy-MM-dd'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale kw. */ goog.i18n.DateTimeSymbols_kw = { ERAS: ['RC', 'AD'], ERANAMES: ['RC', 'AD'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['Mys Genver', 'Mys Whevrel', 'Mys Merth', 'Mys Ebrel', 'Mys Me', 'Mys Efan', 'Mys Gortheren', 'Mye Est', 'Mys Gwyngala', 'Mys Hedra', 'Mys Du', 'Mys Kevardhu'], STANDALONEMONTHS: ['Mys Genver', 'Mys Whevrel', 'Mys Merth', 'Mys Ebrel', 'Mys Me', 'Mys Efan', 'Mys Gortheren', 'Mye Est', 'Mys Gwyngala', 'Mys Hedra', 'Mys Du', 'Mys Kevardhu'], SHORTMONTHS: ['Gen', 'Whe', 'Mer', 'Ebr', 'Me', 'Efn', 'Gor', 'Est', 'Gwn', 'Hed', 'Du', 'Kev'], STANDALONESHORTMONTHS: ['Gen', 'Whe', 'Mer', 'Ebr', 'Me', 'Efn', 'Gor', 'Est', 'Gwn', 'Hed', 'Du', 'Kev'], WEEKDAYS: ['De Sul', 'De Lun', 'De Merth', 'De Merher', 'De Yow', 'De Gwener', 'De Sadorn'], STANDALONEWEEKDAYS: ['De Sul', 'De Lun', 'De Merth', 'De Merher', 'De Yow', 'De Gwener', 'De Sadorn'], SHORTWEEKDAYS: ['Sul', 'Lun', 'Mth', 'Mhr', 'Yow', 'Gwe', 'Sad'], STANDALONESHORTWEEKDAYS: ['Sul', 'Lun', 'Mth', 'Mhr', 'Yow', 'Gwe', 'Sad'], NARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], STANDALONENARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], AMPMS: ['a.m.', 'p.m.'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yyyy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale kw_GB. */ goog.i18n.DateTimeSymbols_kw_GB = goog.i18n.DateTimeSymbols_kw; /** * Date/time formatting symbols for locale lag. */ goog.i18n.DateTimeSymbols_lag = { ERAS: ['KSA', 'KA'], ERANAMES: ['Kɨrɨsitʉ sɨ anavyaal', 'Kɨrɨsitʉ akavyaalwe'], NARROWMONTHS: ['F', 'N', 'K', 'I', 'I', 'I', 'M', 'V', 'S', 'I', 'S', 'S'], STANDALONENARROWMONTHS: ['F', 'N', 'K', 'I', 'I', 'I', 'M', 'V', 'S', 'I', 'S', 'S'], MONTHS: ['Kʉfúngatɨ', 'Kʉnaanɨ', 'Kʉkeenda', 'Kwiikumi', 'Kwiinyambála', 'Kwiidwaata', 'Kʉmʉʉnchɨ', 'Kʉvɨɨrɨ', 'Kʉsaatʉ', 'Kwiinyi', 'Kʉsaano', 'Kʉsasatʉ'], STANDALONEMONTHS: ['Kʉfúngatɨ', 'Kʉnaanɨ', 'Kʉkeenda', 'Kwiikumi', 'Kwiinyambála', 'Kwiidwaata', 'Kʉmʉʉnchɨ', 'Kʉvɨɨrɨ', 'Kʉsaatʉ', 'Kwiinyi', 'Kʉsaano', 'Kʉsasatʉ'], SHORTMONTHS: ['Fúngatɨ', 'Naanɨ', 'Keenda', 'Ikúmi', 'Inyambala', 'Idwaata', 'Mʉʉnchɨ', 'Vɨɨrɨ', 'Saatʉ', 'Inyi', 'Saano', 'Sasatʉ'], STANDALONESHORTMONTHS: ['Fúngatɨ', 'Naanɨ', 'Keenda', 'Ikúmi', 'Inyambala', 'Idwaata', 'Mʉʉnchɨ', 'Vɨɨrɨ', 'Saatʉ', 'Inyi', 'Saano', 'Sasatʉ'], WEEKDAYS: ['Jumapíiri', 'Jumatátu', 'Jumaíne', 'Jumatáano', 'Alamíisi', 'Ijumáa', 'Jumamóosi'], STANDALONEWEEKDAYS: ['Jumapíiri', 'Jumatátu', 'Jumaíne', 'Jumatáano', 'Alamíisi', 'Ijumáa', 'Jumamóosi'], SHORTWEEKDAYS: ['Píili', 'Táatu', 'Íne', 'Táano', 'Alh', 'Ijm', 'Móosi'], STANDALONESHORTWEEKDAYS: ['Píili', 'Táatu', 'Íne', 'Táano', 'Alh', 'Ijm', 'Móosi'], NARROWWEEKDAYS: ['P', 'T', 'E', 'O', 'A', 'I', 'M'], STANDALONENARROWWEEKDAYS: ['P', 'T', 'E', 'O', 'A', 'I', 'M'], SHORTQUARTERS: ['Ncho 1', 'Ncho 2', 'Ncho 3', 'Ncho 4'], QUARTERS: ['Ncholo ya 1', 'Ncholo ya 2', 'Ncholo ya 3', 'Ncholo ya 4'], AMPMS: ['TOO', 'MUU'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yyyy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale lag_TZ. */ goog.i18n.DateTimeSymbols_lag_TZ = goog.i18n.DateTimeSymbols_lag; /** * Date/time formatting symbols for locale lg. */ goog.i18n.DateTimeSymbols_lg = { ERAS: ['BC', 'AD'], ERANAMES: ['Kulisito nga tannaza', 'Bukya Kulisito Azaal'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['Janwaliyo', 'Febwaliyo', 'Marisi', 'Apuli', 'Maayi', 'Juuni', 'Julaayi', 'Agusito', 'Sebuttemba', 'Okitobba', 'Novemba', 'Desemba'], STANDALONEMONTHS: ['Janwaliyo', 'Febwaliyo', 'Marisi', 'Apuli', 'Maayi', 'Juuni', 'Julaayi', 'Agusito', 'Sebuttemba', 'Okitobba', 'Novemba', 'Desemba'], SHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apu', 'Maa', 'Juu', 'Jul', 'Agu', 'Seb', 'Oki', 'Nov', 'Des'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apu', 'Maa', 'Juu', 'Jul', 'Agu', 'Seb', 'Oki', 'Nov', 'Des'], WEEKDAYS: ['Sabbiiti', 'Balaza', 'Lwakubiri', 'Lwakusatu', 'Lwakuna', 'Lwakutaano', 'Lwamukaaga'], STANDALONEWEEKDAYS: ['Sabbiiti', 'Balaza', 'Lwakubiri', 'Lwakusatu', 'Lwakuna', 'Lwakutaano', 'Lwamukaaga'], SHORTWEEKDAYS: ['Sab', 'Bal', 'Lw2', 'Lw3', 'Lw4', 'Lw5', 'Lw6'], STANDALONESHORTWEEKDAYS: ['Sab', 'Bal', 'Lw2', 'Lw3', 'Lw4', 'Lw5', 'Lw6'], NARROWWEEKDAYS: ['S', 'B', 'L', 'L', 'L', 'L', 'L'], STANDALONENARROWWEEKDAYS: ['S', 'B', 'L', 'L', 'L', 'L', 'L'], SHORTQUARTERS: ['Kya1', 'Kya2', 'Kya3', 'Kya4'], QUARTERS: ['Kyakuna 1', 'Kyakuna 2', 'Kyakuna 3', 'Kyakuna 4'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yyyy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale lg_UG. */ goog.i18n.DateTimeSymbols_lg_UG = goog.i18n.DateTimeSymbols_lg; /** * Date/time formatting symbols for locale ln_CD. */ goog.i18n.DateTimeSymbols_ln_CD = { ERAS: ['libóso ya', 'nsima ya Y'], ERANAMES: ['Yambo ya Yézu Krís', 'Nsima ya Yézu Krís'], NARROWMONTHS: ['y', 'f', 'm', 'a', 'm', 'y', 'y', 'a', 's', 'ɔ', 'n', 'd'], STANDALONENARROWMONTHS: ['y', 'f', 'm', 'a', 'm', 'y', 'y', 'a', 's', 'ɔ', 'n', 'd'], MONTHS: ['sánzá ya yambo', 'sánzá ya míbalé', 'sánzá ya mísáto', 'sánzá ya mínei', 'sánzá ya mítáno', 'sánzá ya motóbá', 'sánzá ya nsambo', 'sánzá ya mwambe', 'sánzá ya libwa', 'sánzá ya zómi', 'sánzá ya zómi na mɔ̌kɔ́', 'sánzá ya zómi na míbalé'], STANDALONEMONTHS: ['sánzá ya yambo', 'sánzá ya míbalé', 'sánzá ya mísáto', 'sánzá ya mínei', 'sánzá ya mítáno', 'sánzá ya motóbá', 'sánzá ya nsambo', 'sánzá ya mwambe', 'sánzá ya libwa', 'sánzá ya zómi', 'sánzá ya zómi na mɔ̌kɔ́', 'sánzá ya zómi na míbalé'], SHORTMONTHS: ['yan', 'fbl', 'msi', 'apl', 'mai', 'yun', 'yul', 'agt', 'stb', 'ɔtb', 'nvb', 'dsb'], STANDALONESHORTMONTHS: ['yan', 'fbl', 'msi', 'apl', 'mai', 'yun', 'yul', 'agt', 'stb', 'ɔtb', 'nvb', 'dsb'], WEEKDAYS: ['eyenga', 'mokɔlɔ mwa yambo', 'mokɔlɔ mwa míbalé', 'mokɔlɔ mwa mísáto', 'mokɔlɔ ya mínéi', 'mokɔlɔ ya mítáno', 'mpɔ́sɔ'], STANDALONEWEEKDAYS: ['eyenga', 'mokɔlɔ mwa yambo', 'mokɔlɔ mwa míbalé', 'mokɔlɔ mwa mísáto', 'mokɔlɔ ya mínéi', 'mokɔlɔ ya mítáno', 'mpɔ́sɔ'], SHORTWEEKDAYS: ['eye', 'ybo', 'mbl', 'mst', 'min', 'mtn', 'mps'], STANDALONESHORTWEEKDAYS: ['eye', 'ybo', 'mbl', 'mst', 'min', 'mtn', 'mps'], NARROWWEEKDAYS: ['e', 'y', 'm', 'm', 'm', 'm', 'p'], STANDALONENARROWWEEKDAYS: ['e', 'y', 'm', 'm', 'm', 'm', 'p'], SHORTQUARTERS: ['SM1', 'SM2', 'SM3', 'SM4'], QUARTERS: ['sánzá mísáto ya yambo', 'sánzá mísáto ya míbalé', 'sánzá mísáto ya mísáto', 'sánzá mísáto ya mínei'], AMPMS: ['ntɔ́ngɔ́', 'mpókwa'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'd/M/yyyy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale ln_CG. */ goog.i18n.DateTimeSymbols_ln_CG = { ERAS: ['libóso ya', 'nsima ya Y'], ERANAMES: ['Yambo ya Yézu Krís', 'Nsima ya Yézu Krís'], NARROWMONTHS: ['y', 'f', 'm', 'a', 'm', 'y', 'y', 'a', 's', 'ɔ', 'n', 'd'], STANDALONENARROWMONTHS: ['y', 'f', 'm', 'a', 'm', 'y', 'y', 'a', 's', 'ɔ', 'n', 'd'], MONTHS: ['sánzá ya yambo', 'sánzá ya míbalé', 'sánzá ya mísáto', 'sánzá ya mínei', 'sánzá ya mítáno', 'sánzá ya motóbá', 'sánzá ya nsambo', 'sánzá ya mwambe', 'sánzá ya libwa', 'sánzá ya zómi', 'sánzá ya zómi na mɔ̌kɔ́', 'sánzá ya zómi na míbalé'], STANDALONEMONTHS: ['sánzá ya yambo', 'sánzá ya míbalé', 'sánzá ya mísáto', 'sánzá ya mínei', 'sánzá ya mítáno', 'sánzá ya motóbá', 'sánzá ya nsambo', 'sánzá ya mwambe', 'sánzá ya libwa', 'sánzá ya zómi', 'sánzá ya zómi na mɔ̌kɔ́', 'sánzá ya zómi na míbalé'], SHORTMONTHS: ['yan', 'fbl', 'msi', 'apl', 'mai', 'yun', 'yul', 'agt', 'stb', 'ɔtb', 'nvb', 'dsb'], STANDALONESHORTMONTHS: ['yan', 'fbl', 'msi', 'apl', 'mai', 'yun', 'yul', 'agt', 'stb', 'ɔtb', 'nvb', 'dsb'], WEEKDAYS: ['eyenga', 'mokɔlɔ mwa yambo', 'mokɔlɔ mwa míbalé', 'mokɔlɔ mwa mísáto', 'mokɔlɔ ya mínéi', 'mokɔlɔ ya mítáno', 'mpɔ́sɔ'], STANDALONEWEEKDAYS: ['eyenga', 'mokɔlɔ mwa yambo', 'mokɔlɔ mwa míbalé', 'mokɔlɔ mwa mísáto', 'mokɔlɔ ya mínéi', 'mokɔlɔ ya mítáno', 'mpɔ́sɔ'], SHORTWEEKDAYS: ['eye', 'ybo', 'mbl', 'mst', 'min', 'mtn', 'mps'], STANDALONESHORTWEEKDAYS: ['eye', 'ybo', 'mbl', 'mst', 'min', 'mtn', 'mps'], NARROWWEEKDAYS: ['e', 'y', 'm', 'm', 'm', 'm', 'p'], STANDALONENARROWWEEKDAYS: ['e', 'y', 'm', 'm', 'm', 'm', 'p'], SHORTQUARTERS: ['SM1', 'SM2', 'SM3', 'SM4'], QUARTERS: ['sánzá mísáto ya yambo', 'sánzá mísáto ya míbalé', 'sánzá mísáto ya mísáto', 'sánzá mísáto ya mínei'], AMPMS: ['ntɔ́ngɔ́', 'mpókwa'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'd/M/yyyy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale lo. */ goog.i18n.DateTimeSymbols_lo = { ERAS: ['ປີກ່ອນຄິດສະການທີ່', 'ຄ.ສ.'], ERANAMES: ['ປີກ່ອນຄິດສະການທີ່', 'ຄ.ສ.'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['ມັງກອນ', 'ກຸມພາ', 'ມີນາ', 'ເມສາ', 'ພຶດສະພາ', 'ມິຖຸນາ', 'ກໍລະກົດ', 'ສິງຫາ', 'ກັນຍາ', 'ຕຸລາ', 'ພະຈິກ', 'ທັນວາ'], STANDALONEMONTHS: ['ມັງກອນ', 'ກຸມພາ', 'ມີນາ', 'ເມສາ', 'ພຶດສະພາ', 'ມິຖຸນາ', 'ກໍລະກົດ', 'ສິງຫາ', 'ກັນຍາ', 'ຕຸລາ', 'ພະຈິກ', 'ທັນວາ'], SHORTMONTHS: ['ມ.ກ.', 'ກ.ພ.', 'ມີ.ນ.', 'ມ.ສ..', 'ພ.ພ.', 'ມິ.ຖ.', 'ກ.ລ.', 'ສ.ຫ.', 'ກ.ຍ.', 'ຕ.ລ.', 'ພ.ຈ.', 'ທ.ວ.'], STANDALONESHORTMONTHS: ['ມ.ກ.', 'ກ.ພ.', 'ມີ.ນ.', 'ມ.ສ..', 'ພ.ພ.', 'ມິ.ຖ.', 'ກ.ລ.', 'ສ.ຫ.', 'ກ.ຍ.', 'ຕ.ລ.', 'ພ.ຈ.', 'ທ.ວ.'], WEEKDAYS: ['ວັນອາທິດ', 'ວັນຈັນ', 'ວັນອັງຄານ', 'ວັນພຸດ', 'ວັນພະຫັດ', 'ວັນສຸກ', 'ວັນເສົາ'], STANDALONEWEEKDAYS: ['ວັນອາທິດ', 'ວັນຈັນ', 'ວັນອັງຄານ', 'ວັນພຸດ', 'ວັນພະຫັດ', 'ວັນສຸກ', 'ວັນເສົາ'], SHORTWEEKDAYS: ['ອາ.', 'ຈ.', 'ອ.', 'ພ.', 'ພຫ.', 'ສກ.', 'ສ.'], STANDALONESHORTWEEKDAYS: ['ອາ.', 'ຈ.', 'ອ.', 'ພ.', 'ພຫ.', 'ສກ.', 'ສ.'], NARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], STANDALONENARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], AMPMS: ['ກ່ອນທ່ຽງ', 'ຫລັງທ່ຽງ'], DATEFORMATS: ['EEEEທີ d MMMM G y', 'd MMMM y', 'd MMM y', 'd/M/yyyy'], TIMEFORMATS: ['Hໂມງ mນາທີ ss ວິນາທີzzzz', 'H ໂມງ mນາທີss z', 'H:mm:ss', 'H:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale lo_LA. */ goog.i18n.DateTimeSymbols_lo_LA = goog.i18n.DateTimeSymbols_lo; /** * Date/time formatting symbols for locale lt_LT. */ goog.i18n.DateTimeSymbols_lt_LT = { ERAS: ['pr. Kr.', 'po Kr.'], ERANAMES: ['prieš Kristų', 'po Kristaus'], NARROWMONTHS: ['S', 'V', 'K', 'B', 'G', 'B', 'L', 'R', 'R', 'S', 'L', 'G'], STANDALONENARROWMONTHS: ['S', 'V', 'K', 'B', 'G', 'B', 'L', 'R', 'R', 'S', 'L', 'G'], MONTHS: ['sausio', 'vasaris', 'kovas', 'balandis', 'gegužė', 'birželis', 'liepa', 'rugpjūtis', 'rugsėjis', 'spalis', 'lapkritis', 'gruodis'], STANDALONEMONTHS: ['Sausis', 'Vasaris', 'Kovas', 'Balandis', 'Gegužė', 'Birželis', 'Liepa', 'Rugpjūtis', 'Rugsėjis', 'Spalis', 'Lapkritis', 'Gruodis'], SHORTMONTHS: ['Saus.', 'Vas', 'Kov.', 'Bal.', 'Geg.', 'Bir.', 'Liep.', 'Rugp.', 'Rugs.', 'Spal.', 'Lapkr.', 'Gruod.'], STANDALONESHORTMONTHS: ['Saus.', 'Vas.', 'Kov.', 'Bal.', 'Geg.', 'Bir.', 'Liep.', 'Rugp.', 'Rugs.', 'Spal.', 'Lapkr.', 'Gruod.'], WEEKDAYS: ['sekmadienis', 'pirmadienis', 'antradienis', 'trečiadienis', 'ketvirtadienis', 'penktadienis', 'šeštadienis'], STANDALONEWEEKDAYS: ['sekmadienis', 'pirmadienis', 'antradienis', 'trečiadienis', 'ketvirtadienis', 'penktadienis', 'šeštadienis'], SHORTWEEKDAYS: ['Sk', 'Pr', 'An', 'Tr', 'Kt', 'Pn', 'Št'], STANDALONESHORTWEEKDAYS: ['Sk', 'Pr', 'An', 'Tr', 'Kt', 'Pn', 'Št'], NARROWWEEKDAYS: ['S', 'P', 'A', 'T', 'K', 'P', 'Š'], STANDALONENARROWWEEKDAYS: ['S', 'P', 'A', 'T', 'K', 'P', 'Š'], SHORTQUARTERS: ['I k.', 'II k.', 'III k.', 'IV ketv.'], QUARTERS: ['I ketvirtis', 'II ketvirtis', 'III ketvirtis', 'IV ketvirtis'], AMPMS: ['priešpiet', 'popiet'], DATEFORMATS: ['y \'m\'. MMMM d \'d\'., EEEE', 'y \'m\'. MMMM d \'d\'.', 'y MMM d', 'yyyy-MM-dd'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale lu. */ goog.i18n.DateTimeSymbols_lu = { ERAS: ['kmp. Y.K.', 'kny. Y. K.'], ERANAMES: ['Kumpala kwa Yezu Kli', 'Kunyima kwa Yezu Kli'], NARROWMONTHS: ['C', 'L', 'L', 'M', 'L', 'L', 'K', 'L', 'L', 'L', 'K', 'C'], STANDALONENARROWMONTHS: ['C', 'L', 'L', 'M', 'L', 'L', 'K', 'L', 'L', 'L', 'K', 'C'], MONTHS: ['Ciongo', 'Lùishi', 'Lusòlo', 'Mùuyà', 'Lumùngùlù', 'Lufuimi', 'Kabàlàshìpù', 'Lùshìkà', 'Lutongolo', 'Lungùdi', 'Kaswèkèsè', 'Ciswà'], STANDALONEMONTHS: ['Ciongo', 'Lùishi', 'Lusòlo', 'Mùuyà', 'Lumùngùlù', 'Lufuimi', 'Kabàlàshìpù', 'Lùshìkà', 'Lutongolo', 'Lungùdi', 'Kaswèkèsè', 'Ciswà'], SHORTMONTHS: ['Cio', 'Lui', 'Lus', 'Muu', 'Lum', 'Luf', 'Kab', 'Lush', 'Lut', 'Lun', 'Kas', 'Cis'], STANDALONESHORTMONTHS: ['Cio', 'Lui', 'Lus', 'Muu', 'Lum', 'Luf', 'Kab', 'Lush', 'Lut', 'Lun', 'Kas', 'Cis'], WEEKDAYS: ['Lumingu', 'Nkodya', 'Ndàayà', 'Ndangù', 'Njòwa', 'Ngòvya', 'Lubingu'], STANDALONEWEEKDAYS: ['Lumingu', 'Nkodya', 'Ndàayà', 'Ndangù', 'Njòwa', 'Ngòvya', 'Lubingu'], SHORTWEEKDAYS: ['Lum', 'Nko', 'Ndy', 'Ndg', 'Njw', 'Ngv', 'Lub'], STANDALONESHORTWEEKDAYS: ['Lum', 'Nko', 'Ndy', 'Ndg', 'Njw', 'Ngv', 'Lub'], NARROWWEEKDAYS: ['L', 'N', 'N', 'N', 'N', 'N', 'L'], STANDALONENARROWWEEKDAYS: ['L', 'N', 'N', 'N', 'N', 'N', 'L'], SHORTQUARTERS: ['M1', 'M2', 'M3', 'M4'], QUARTERS: ['Mueji 1', 'Mueji 2', 'Mueji 3', 'Mueji 4'], AMPMS: ['Dinda', 'Dilolo'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'd/M/yyyy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale lu_CD. */ goog.i18n.DateTimeSymbols_lu_CD = goog.i18n.DateTimeSymbols_lu; /** * Date/time formatting symbols for locale luo. */ goog.i18n.DateTimeSymbols_luo = { ERAS: ['BC', 'AD'], ERANAMES: ['Kapok Kristo obiro', 'Ka Kristo osebiro'], NARROWMONTHS: ['C', 'R', 'D', 'N', 'B', 'U', 'B', 'B', 'C', 'P', 'C', 'P'], STANDALONENARROWMONTHS: ['C', 'R', 'D', 'N', 'B', 'U', 'B', 'B', 'C', 'P', 'C', 'P'], MONTHS: ['Dwe mar Achiel', 'Dwe mar Ariyo', 'Dwe mar Adek', 'Dwe mar Ang\'wen', 'Dwe mar Abich', 'Dwe mar Auchiel', 'Dwe mar Abiriyo', 'Dwe mar Aboro', 'Dwe mar Ochiko', 'Dwe mar Apar', 'Dwe mar gi achiel', 'Dwe mar Apar gi ariyo'], STANDALONEMONTHS: ['Dwe mar Achiel', 'Dwe mar Ariyo', 'Dwe mar Adek', 'Dwe mar Ang\'wen', 'Dwe mar Abich', 'Dwe mar Auchiel', 'Dwe mar Abiriyo', 'Dwe mar Aboro', 'Dwe mar Ochiko', 'Dwe mar Apar', 'Dwe mar gi achiel', 'Dwe mar Apar gi ariyo'], SHORTMONTHS: ['DAC', 'DAR', 'DAD', 'DAN', 'DAH', 'DAU', 'DAO', 'DAB', 'DOC', 'DAP', 'DGI', 'DAG'], STANDALONESHORTMONTHS: ['DAC', 'DAR', 'DAD', 'DAN', 'DAH', 'DAU', 'DAO', 'DAB', 'DOC', 'DAP', 'DGI', 'DAG'], WEEKDAYS: ['Jumapil', 'Wuok Tich', 'Tich Ariyo', 'Tich Adek', 'Tich Ang\'wen', 'Tich Abich', 'Ngeso'], STANDALONEWEEKDAYS: ['Jumapil', 'Wuok Tich', 'Tich Ariyo', 'Tich Adek', 'Tich Ang\'wen', 'Tich Abich', 'Ngeso'], SHORTWEEKDAYS: ['JMP', 'WUT', 'TAR', 'TAD', 'TAN', 'TAB', 'NGS'], STANDALONESHORTWEEKDAYS: ['JMP', 'WUT', 'TAR', 'TAD', 'TAN', 'TAB', 'NGS'], NARROWWEEKDAYS: ['J', 'W', 'T', 'T', 'T', 'T', 'N'], STANDALONENARROWWEEKDAYS: ['J', 'W', 'T', 'T', 'T', 'T', 'N'], SHORTQUARTERS: ['NMN1', 'NMN2', 'NMN3', 'NMN4'], QUARTERS: ['nus mar nus 1', 'nus mar nus 2', 'nus mar nus 3', 'nus mar nus 4'], AMPMS: ['OD', 'OT'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yyyy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale luo_KE. */ goog.i18n.DateTimeSymbols_luo_KE = goog.i18n.DateTimeSymbols_luo; /** * Date/time formatting symbols for locale luy. */ goog.i18n.DateTimeSymbols_luy = { ERAS: ['BC', 'AD'], ERANAMES: ['Imberi ya Kuuza Kwa', 'Muhiga Kuvita Kuuza'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['Januari', 'Februari', 'Machi', 'Aprili', 'Mei', 'Juni', 'Julai', 'Agosti', 'Septemba', 'Oktoba', 'Novemba', 'Desemba'], STANDALONEMONTHS: ['Januari', 'Februari', 'Machi', 'Aprili', 'Mei', 'Juni', 'Julai', 'Agosti', 'Septemba', 'Oktoba', 'Novemba', 'Desemba'], SHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'Mei', 'Jun', 'Jul', 'Ago', 'Sep', 'Okt', 'Nov', 'Des'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'Mei', 'Jun', 'Jul', 'Ago', 'Sep', 'Okt', 'Nov', 'Des'], WEEKDAYS: ['Jumapiri', 'Jumatatu', 'Jumanne', 'Jumatano', 'Murwa wa Kanne', 'Murwa wa Katano', 'Jumamosi'], STANDALONEWEEKDAYS: ['Jumapiri', 'Jumatatu', 'Jumanne', 'Jumatano', 'Murwa wa Kanne', 'Murwa wa Katano', 'Jumamosi'], SHORTWEEKDAYS: ['J2', 'J3', 'J4', 'J5', 'Al', 'Ij', 'J1'], STANDALONESHORTWEEKDAYS: ['J2', 'J3', 'J4', 'J5', 'Al', 'Ij', 'J1'], NARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['Robo ya Kala', 'Robo ya Kaviri', 'Robo ya Kavaga', 'Robo ya Kanne'], AMPMS: ['a.m.', 'p.m.'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yyyy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale luy_KE. */ goog.i18n.DateTimeSymbols_luy_KE = goog.i18n.DateTimeSymbols_luy; /** * Date/time formatting symbols for locale lv_LV. */ goog.i18n.DateTimeSymbols_lv_LV = { ERAS: ['p.m.ē.', 'm.ē.'], ERANAMES: ['pirms mūsu ēras', 'mūsu ērā'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['janvāris', 'februāris', 'marts', 'aprīlis', 'maijs', 'jūnijs', 'jūlijs', 'augusts', 'septembris', 'oktobris', 'novembris', 'decembris'], STANDALONEMONTHS: ['janvāris', 'februāris', 'marts', 'aprīlis', 'maijs', 'jūnijs', 'jūlijs', 'augusts', 'septembris', 'oktobris', 'novembris', 'decembris'], SHORTMONTHS: ['janv.', 'febr.', 'marts', 'apr.', 'maijs', 'jūn.', 'jūl.', 'aug.', 'sept.', 'okt.', 'nov.', 'dec.'], STANDALONESHORTMONTHS: ['janv.', 'febr.', 'marts', 'apr.', 'maijs', 'jūn.', 'jūl.', 'aug.', 'sept.', 'okt.', 'nov.', 'dec.'], WEEKDAYS: ['svētdiena', 'pirmdiena', 'otrdiena', 'trešdiena', 'ceturtdiena', 'piektdiena', 'sestdiena'], STANDALONEWEEKDAYS: ['svētdiena', 'pirmdiena', 'otrdiena', 'trešdiena', 'ceturtdiena', 'piektdiena', 'sestdiena'], SHORTWEEKDAYS: ['Sv', 'Pr', 'Ot', 'Tr', 'Ce', 'Pk', 'Se'], STANDALONESHORTWEEKDAYS: ['Sv', 'Pr', 'Ot', 'Tr', 'Ce', 'Pk', 'Se'], NARROWWEEKDAYS: ['S', 'P', 'O', 'T', 'C', 'P', 'S'], STANDALONENARROWWEEKDAYS: ['S', 'P', 'O', 'T', 'C', 'P', 'S'], SHORTQUARTERS: ['C1', 'C2', 'C3', 'C4'], QUARTERS: ['1. ceturksnis', '2. ceturksnis', '3. ceturksnis', '4. ceturksnis'], AMPMS: ['priekšpusdienā', 'pēcpusdienā'], DATEFORMATS: ['EEEE, y. \'gada\' d. MMMM', 'y. \'gada\' d. MMMM', 'y. \'gada\' d. MMM', 'dd.MM.yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale mas. */ goog.i18n.DateTimeSymbols_mas = { ERAS: ['MY', 'EY'], ERANAMES: ['Meínō Yɛ́sʉ', 'Eínō Yɛ́sʉ'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['Oladalʉ́', 'Arát', 'Ɔɛnɨ́ɔɨŋɔk', 'Olodoyíóríê inkókúâ', 'Oloilépūnyīē inkókúâ', 'Kújúɔrɔk', 'Mórusásin', 'Ɔlɔ́ɨ́bɔ́rárɛ', 'Kúshîn', 'Olgísan', 'Pʉshʉ́ka', 'Ntʉ́ŋʉ́s'], STANDALONEMONTHS: ['Oladalʉ́', 'Arát', 'Ɔɛnɨ́ɔɨŋɔk', 'Olodoyíóríê inkókúâ', 'Oloilépūnyīē inkókúâ', 'Kújúɔrɔk', 'Mórusásin', 'Ɔlɔ́ɨ́bɔ́rárɛ', 'Kúshîn', 'Olgísan', 'Pʉshʉ́ka', 'Ntʉ́ŋʉ́s'], SHORTMONTHS: ['Dal', 'Ará', 'Ɔɛn', 'Doy', 'Lép', 'Rok', 'Sás', 'Bɔ́r', 'Kús', 'Gís', 'Shʉ́', 'Ntʉ́'], STANDALONESHORTMONTHS: ['Dal', 'Ará', 'Ɔɛn', 'Doy', 'Lép', 'Rok', 'Sás', 'Bɔ́r', 'Kús', 'Gís', 'Shʉ́', 'Ntʉ́'], WEEKDAYS: ['Jumapílí', 'Jumatátu', 'Jumane', 'Jumatánɔ', 'Alaámisi', 'Jumáa', 'Jumamósi'], STANDALONEWEEKDAYS: ['Jumapílí', 'Jumatátu', 'Jumane', 'Jumatánɔ', 'Alaámisi', 'Jumáa', 'Jumamósi'], SHORTWEEKDAYS: ['Jpi', 'Jtt', 'Jnn', 'Jtn', 'Alh', 'Iju', 'Jmo'], STANDALONESHORTWEEKDAYS: ['Jpi', 'Jtt', 'Jnn', 'Jtn', 'Alh', 'Iju', 'Jmo'], NARROWWEEKDAYS: ['2', '3', '4', '5', '6', '7', '1'], STANDALONENARROWWEEKDAYS: ['2', '3', '4', '5', '6', '7', '1'], SHORTQUARTERS: ['E1', 'E2', 'E3', 'E4'], QUARTERS: ['Erobo 1', 'Erobo 2', 'Erobo 3', 'Erobo 4'], AMPMS: ['Ɛnkakɛnyá', 'Ɛndámâ'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yyyy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale mas_KE. */ goog.i18n.DateTimeSymbols_mas_KE = goog.i18n.DateTimeSymbols_mas; /** * Date/time formatting symbols for locale mas_TZ. */ goog.i18n.DateTimeSymbols_mas_TZ = goog.i18n.DateTimeSymbols_mas; /** * Date/time formatting symbols for locale mer. */ goog.i18n.DateTimeSymbols_mer = { ERAS: ['MK', 'NK'], ERANAMES: ['Mbere ya Kristũ', 'Nyuma ya Kristũ'], NARROWMONTHS: ['J', 'F', 'M', 'Ĩ', 'M', 'N', 'N', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'Ĩ', 'M', 'N', 'N', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['Januarĩ', 'Feburuarĩ', 'Machi', 'Ĩpurũ', 'Mĩĩ', 'Njuni', 'Njuraĩ', 'Agasti', 'Septemba', 'Oktũba', 'Novemba', 'Dicemba'], STANDALONEMONTHS: ['Januarĩ', 'Feburuarĩ', 'Machi', 'Ĩpurũ', 'Mĩĩ', 'Njuni', 'Njuraĩ', 'Agasti', 'Septemba', 'Oktũba', 'Novemba', 'Dicemba'], SHORTMONTHS: ['JAN', 'FEB', 'MAC', 'ĨPU', 'MĨĨ', 'NJU', 'NJR', 'AGA', 'SPT', 'OKT', 'NOV', 'DEC'], STANDALONESHORTMONTHS: ['JAN', 'FEB', 'MAC', 'ĨPU', 'MĨĨ', 'NJU', 'NJR', 'AGA', 'SPT', 'OKT', 'NOV', 'DEC'], WEEKDAYS: ['Kiumia', 'Muramuko', 'Wairi', 'Wethatu', 'Wena', 'Wetano', 'Jumamosi'], STANDALONEWEEKDAYS: ['Kiumia', 'Muramuko', 'Wairi', 'Wethatu', 'Wena', 'Wetano', 'Jumamosi'], SHORTWEEKDAYS: ['KIU', 'MRA', 'WAI', 'WET', 'WEN', 'WTN', 'JUM'], STANDALONESHORTWEEKDAYS: ['KIU', 'MRA', 'WAI', 'WET', 'WEN', 'WTN', 'JUM'], NARROWWEEKDAYS: ['K', 'M', 'W', 'W', 'W', 'W', 'J'], STANDALONENARROWWEEKDAYS: ['K', 'M', 'W', 'W', 'W', 'W', 'J'], SHORTQUARTERS: ['Ĩmwe kĩrĩ inya', 'Ijĩrĩ kĩrĩ inya', 'Ithatũ kĩrĩ inya', 'Inya kĩrĩ inya'], QUARTERS: ['Ĩmwe kĩrĩ inya', 'Ijĩrĩ kĩrĩ inya', 'Ithatũ kĩrĩ inya', 'Inya kĩrĩ inya'], AMPMS: ['RŨ', 'ŨG'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yyyy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale mer_KE. */ goog.i18n.DateTimeSymbols_mer_KE = goog.i18n.DateTimeSymbols_mer; /** * Date/time formatting symbols for locale mfe. */ goog.i18n.DateTimeSymbols_mfe = { ERAS: ['av. Z-K', 'ap. Z-K'], ERANAMES: ['avan Zezi-Krist', 'apre Zezi-Krist'], NARROWMONTHS: ['z', 'f', 'm', 'a', 'm', 'z', 'z', 'o', 's', 'o', 'n', 'd'], STANDALONENARROWMONTHS: ['z', 'f', 'm', 'a', 'm', 'z', 'z', 'o', 's', 'o', 'n', 'd'], MONTHS: ['zanvie', 'fevriye', 'mars', 'avril', 'me', 'zin', 'zilye', 'out', 'septam', 'oktob', 'novam', 'desam'], STANDALONEMONTHS: ['zanvie', 'fevriye', 'mars', 'avril', 'me', 'zin', 'zilye', 'out', 'septam', 'oktob', 'novam', 'desam'], SHORTMONTHS: ['zan', 'fev', 'mar', 'avr', 'me', 'zin', 'zil', 'out', 'sep', 'okt', 'nov', 'des'], STANDALONESHORTMONTHS: ['zan', 'fev', 'mar', 'avr', 'me', 'zin', 'zil', 'out', 'sep', 'okt', 'nov', 'des'], WEEKDAYS: ['dimans', 'lindi', 'mardi', 'merkredi', 'zedi', 'vandredi', 'samdi'], STANDALONEWEEKDAYS: ['dimans', 'lindi', 'mardi', 'merkredi', 'zedi', 'vandredi', 'samdi'], SHORTWEEKDAYS: ['dim', 'lin', 'mar', 'mer', 'ze', 'van', 'sam'], STANDALONESHORTWEEKDAYS: ['dim', 'lin', 'mar', 'mer', 'ze', 'van', 'sam'], NARROWWEEKDAYS: ['d', 'l', 'm', 'm', 'z', 'v', 's'], STANDALONENARROWWEEKDAYS: ['d', 'l', 'm', 'm', 'z', 'v', 's'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1e trimes', '2em trimes', '3em trimes', '4em trimes'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM, y', 'd/M/yyyy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale mfe_MU. */ goog.i18n.DateTimeSymbols_mfe_MU = goog.i18n.DateTimeSymbols_mfe; /** * Date/time formatting symbols for locale mg. */ goog.i18n.DateTimeSymbols_mg = { ERAS: ['BC', 'AD'], ERANAMES: ['Alohan\'i JK', 'Aorian\'i JK'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['Janoary', 'Febroary', 'Martsa', 'Aprily', 'Mey', 'Jona', 'Jolay', 'Aogositra', 'Septambra', 'Oktobra', 'Novambra', 'Desambra'], STANDALONEMONTHS: ['Janoary', 'Febroary', 'Martsa', 'Aprily', 'Mey', 'Jona', 'Jolay', 'Aogositra', 'Septambra', 'Oktobra', 'Novambra', 'Desambra'], SHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'Mey', 'Jon', 'Jol', 'Aog', 'Sep', 'Okt', 'Nov', 'Des'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'Mey', 'Jon', 'Jol', 'Aog', 'Sep', 'Okt', 'Nov', 'Des'], WEEKDAYS: ['Alahady', 'Alatsinainy', 'Talata', 'Alarobia', 'Alakamisy', 'Zoma', 'Asabotsy'], STANDALONEWEEKDAYS: ['Alahady', 'Alatsinainy', 'Talata', 'Alarobia', 'Alakamisy', 'Zoma', 'Asabotsy'], SHORTWEEKDAYS: ['Alah', 'Alats', 'Tal', 'Alar', 'Alak', 'Zom', 'Asab'], STANDALONESHORTWEEKDAYS: ['Alah', 'Alats', 'Tal', 'Alar', 'Alak', 'Zom', 'Asab'], NARROWWEEKDAYS: ['A', 'A', 'T', 'A', 'A', 'Z', 'A'], STANDALONENARROWWEEKDAYS: ['A', 'A', 'T', 'A', 'A', 'Z', 'A'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['Telovolana voalohany', 'Telovolana faharoa', 'Telovolana fahatelo', 'Telovolana fahefatra'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM, y', 'd/M/yyyy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale mg_MG. */ goog.i18n.DateTimeSymbols_mg_MG = goog.i18n.DateTimeSymbols_mg; /** * Date/time formatting symbols for locale mgh. */ goog.i18n.DateTimeSymbols_mgh = { ERAS: ['HY', 'YY'], ERANAMES: ['Hinapiya yesu', 'Yopia yesu'], NARROWMONTHS: ['K', 'U', 'R', 'C', 'T', 'M', 'S', 'N', 'T', 'K', 'M', 'Y'], STANDALONENARROWMONTHS: ['K', 'U', 'R', 'C', 'T', 'M', 'S', 'N', 'T', 'K', 'M', 'Y'], MONTHS: ['Mweri wo kwanza', 'Mweri wo unayeli', 'Mweri wo uneraru', 'Mweri wo unecheshe', 'Mweri wo unethanu', 'Mweri wo thanu na mocha', 'Mweri wo saba', 'Mweri wo nane', 'Mweri wo tisa', 'Mweri wo kumi', 'Mweri wo kumi na moja', 'Mweri wo kumi na yel\'li'], STANDALONEMONTHS: ['Mweri wo kwanza', 'Mweri wo unayeli', 'Mweri wo uneraru', 'Mweri wo unecheshe', 'Mweri wo unethanu', 'Mweri wo thanu na mocha', 'Mweri wo saba', 'Mweri wo nane', 'Mweri wo tisa', 'Mweri wo kumi', 'Mweri wo kumi na moja', 'Mweri wo kumi na yel\'li'], SHORTMONTHS: ['Kwa', 'Una', 'Rar', 'Che', 'Tha', 'Moc', 'Sab', 'Nan', 'Tis', 'Kum', 'Moj', 'Yel'], STANDALONESHORTMONTHS: ['Kwa', 'Una', 'Rar', 'Che', 'Tha', 'Moc', 'Sab', 'Nan', 'Tis', 'Kum', 'Moj', 'Yel'], WEEKDAYS: ['Sabato', 'Jumatatu', 'Jumanne', 'Jumatano', 'Arahamisi', 'Ijumaa', 'Jumamosi'], STANDALONEWEEKDAYS: ['Sabato', 'Jumatatu', 'Jumanne', 'Jumatano', 'Arahamisi', 'Ijumaa', 'Jumamosi'], SHORTWEEKDAYS: ['Sab', 'Jtt', 'Jnn', 'Jtn', 'Ara', 'Iju', 'Jmo'], STANDALONESHORTWEEKDAYS: ['Sab', 'Jtt', 'Jnn', 'Jtn', 'Ara', 'Iju', 'Jmo'], NARROWWEEKDAYS: ['S', 'J', 'J', 'J', 'A', 'I', 'J'], STANDALONENARROWWEEKDAYS: ['S', 'J', 'J', 'J', 'A', 'I', 'J'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yyyy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale mgh_MZ. */ goog.i18n.DateTimeSymbols_mgh_MZ = goog.i18n.DateTimeSymbols_mgh; /** * Date/time formatting symbols for locale mk. */ goog.i18n.DateTimeSymbols_mk = { ERAS: ['пр.н.е.', 'ае.'], ERANAMES: ['пр.н.е.', 'ае.'], NARROWMONTHS: ['ј', 'ф', 'м', 'а', 'м', 'ј', 'ј', 'а', 'с', 'о', 'н', 'д'], STANDALONENARROWMONTHS: ['ј', 'ф', 'м', 'а', 'м', 'ј', 'ј', 'а', 'с', 'о', 'н', 'д'], MONTHS: ['јануари', 'февруари', 'март', 'април', 'мај', 'јуни', 'јули', 'август', 'септември', 'октомври', 'ноември', 'декември'], STANDALONEMONTHS: ['јануари', 'февруари', 'март', 'април', 'мај', 'јуни', 'јули', 'август', 'септември', 'октомври', 'ноември', 'декември'], SHORTMONTHS: ['јан.', 'фев.', 'мар.', 'апр.', 'мај', 'јун.', 'јул.', 'авг.', 'септ.', 'окт.', 'ноем.', 'декем.'], STANDALONESHORTMONTHS: ['јан.', 'фев.', 'мар.', 'апр.', 'мај', 'јун.', 'јул.', 'авг.', 'септ.', 'окт.', 'ноем.', 'декем.'], WEEKDAYS: ['недела', 'понеделник', 'вторник', 'среда', 'четврток', 'петок', 'сабота'], STANDALONEWEEKDAYS: ['недела', 'понеделник', 'вторник', 'среда', 'четврток', 'петок', 'сабота'], SHORTWEEKDAYS: ['нед.', 'пон.', 'вт.', 'сре.', 'чет.', 'пет.', 'саб.'], STANDALONESHORTWEEKDAYS: ['нед.', 'пон.', 'вт.', 'сре.', 'чет.', 'пет.', 'саб.'], NARROWWEEKDAYS: ['н', 'п', 'в', 'с', 'ч', 'п', 'с'], STANDALONENARROWWEEKDAYS: ['н', 'п', 'в', 'с', 'ч', 'п', 'с'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['прво тромесечје', 'второ тромесечје', 'трето тромесечје', 'четврто тромесечје'], AMPMS: ['претпладне', 'попладне'], DATEFORMATS: ['EEEE, dd MMMM y', 'dd MMMM y', 'dd.M.yyyy', 'dd.M.yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale mk_MK. */ goog.i18n.DateTimeSymbols_mk_MK = goog.i18n.DateTimeSymbols_mk; /** * Date/time formatting symbols for locale ml_IN. */ goog.i18n.DateTimeSymbols_ml_IN = { ERAS: ['ക്രി.മൂ', 'ക്രി.പി.'], ERANAMES: ['ക്രിസ്തുവിനു് മുമ്പ്‌', 'ക്രിസ്തുവിന് പിന്‍പ്'], NARROWMONTHS: ['ജ', 'ഫെ', 'മാ', 'ഏ', 'മേ', 'ജൂ', 'ജൂ', 'ഓ', 'സെ', 'ഒ', 'ന', 'ഡി'], STANDALONENARROWMONTHS: ['ജ', 'ഫെ', 'മാ', 'ഏ', 'മേ', 'ജൂ', 'ജൂ', 'ഓ', 'സെ', 'ഒ', 'ന', 'ഡി'], MONTHS: ['ജനുവരി', 'ഫെബ്രുവരി', 'മാര്‍ച്ച്', 'ഏപ്രില്‍', 'മേയ്', 'ജൂണ്‍', 'ജൂലൈ', 'ആഗസ്റ്റ്', 'സെപ്റ്റംബര്‍', 'ഒക്ടോബര്‍', 'നവംബര്‍', 'ഡിസംബര്‍'], STANDALONEMONTHS: ['ജനുവരി', 'ഫെബ്രുവരി', 'മാര്‍ച്ച്', 'ഏപ്രില്‍', 'മേയ്', 'ജൂണ്‍', 'ജൂലൈ', 'ആഗസ്റ്റ്', 'സെപ്റ്റംബര്‍', 'ഒക്ടോബര്‍', 'നവംബര്‍', 'ഡിസംബര്‍'], SHORTMONTHS: ['ജനു', 'ഫെബ്രു', 'മാര്‍', 'ഏപ്രി', 'മേയ്', 'ജൂണ്‍', 'ജൂലൈ', 'ഓഗ', 'സെപ്റ്റം', 'ഒക്ടോ', 'നവം', 'ഡിസം'], STANDALONESHORTMONTHS: ['ജനു', 'ഫെബ്രു', 'മാര്‍', 'ഏപ്രി', 'മേയ്', 'ജൂണ്‍', 'ജൂലൈ', 'ഓഗ', 'സെപ്റ്റം', 'ഒക്ടോ', 'നവം', 'ഡിസം'], WEEKDAYS: ['ഞായറാഴ്ച', 'തിങ്കളാഴ്ച', 'ചൊവ്വാഴ്ച', 'ബുധനാഴ്ച', 'വ്യാഴാഴ്ച', 'വെള്ളിയാഴ്ച', 'ശനിയാഴ്ച'], STANDALONEWEEKDAYS: ['ഞായറാഴ്ച', 'തിങ്കളാഴ്ച', 'ചൊവ്വാഴ്ച', 'ബുധനാഴ്ച', 'വ്യാഴാഴ്ച', 'വെള്ളിയാഴ്ച', 'ശനിയാഴ്ച'], SHORTWEEKDAYS: ['ഞായര്‍', 'തിങ്കള്‍', 'ചൊവ്വ', 'ബുധന്‍', 'വ്യാഴം', 'വെള്ളി', 'ശനി'], STANDALONESHORTWEEKDAYS: ['ഞായര്‍', 'തിങ്കള്‍', 'ചൊവ്വ', 'ബുധന്‍', 'വ്യാഴം', 'വെള്ളി', 'ശനി'], NARROWWEEKDAYS: ['ഞാ', 'തി', 'ചൊ', 'ബു', 'വ്യാ', 'വെ', 'ശ'], STANDALONENARROWWEEKDAYS: ['ഞാ', 'തി', 'ചൊ', 'ബു', 'വ്യാ', 'വെ', 'ശ'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['ഒന്നാം പാദം', 'രണ്ടാം പാദം', 'മൂന്നാം പാദം', 'നാലാം പാദം'], AMPMS: ['am', 'pm'], DATEFORMATS: ['y, MMMM d, EEEE', 'y, MMMM d', 'y, MMM d', 'dd/MM/yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [6, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale mr_IN. */ goog.i18n.DateTimeSymbols_mr_IN = { ERAS: ['ईसापूर्व', 'सन'], ERANAMES: ['ईसवीसनपूर्व', 'ईसवीसन'], NARROWMONTHS: ['जा', 'फे', 'मा', 'ए', 'मे', 'जू', 'जु', 'ऑ', 'स', 'ऑ', 'नो', 'डि'], STANDALONENARROWMONTHS: ['जा', 'फे', 'मा', 'ए', 'मे', 'जू', 'जु', 'ऑ', 'स', 'ऑ', 'नो', 'डि'], MONTHS: ['जानेवारी', 'फेब्रुवारी', 'मार्च', 'एप्रिल', 'मे', 'जून', 'जुलै', 'ऑगस्ट', 'सप्टेंबर', 'ऑक्टोबर', 'नोव्हेंबर', 'डिसेंबर'], STANDALONEMONTHS: ['जानेवारी', 'फेब्रुवारी', 'मार्च', 'एप्रिल', 'मे', 'जून', 'जुलै', 'ऑगस्ट', 'सप्टेंबर', 'ऑक्टोबर', 'नोव्हेंबर', 'डिसेंबर'], SHORTMONTHS: ['जाने', 'फेब्रु', 'मार्च', 'एप्रि', 'मे', 'जून', 'जुलै', 'ऑग', 'सेप्टें', 'ऑक्टोबर', 'नोव्हें', 'डिसें'], STANDALONESHORTMONTHS: ['जाने', 'फेब्रु', 'मार्च', 'एप्रि', 'मे', 'जून', 'जुलै', 'ऑग', 'सेप्टें', 'ऑक्टोबर', 'नोव्हें', 'डिसें'], WEEKDAYS: ['रविवार', 'सोमवार', 'मंगळवार', 'बुधवार', 'गुरुवार', 'शुक्रवार', 'शनिवार'], STANDALONEWEEKDAYS: ['रविवार', 'सोमवार', 'मंगळवार', 'बुधवार', 'गुरुवार', 'शुक्रवार', 'शनिवार'], SHORTWEEKDAYS: ['रवि', 'सोम', 'मंगळ', 'बुध', 'गुरु', 'शुक्र', 'शनि'], STANDALONESHORTWEEKDAYS: ['रवि', 'सोम', 'मंगळ', 'बुध', 'गुरु', 'शुक्र', 'शनि'], NARROWWEEKDAYS: ['र', 'सो', 'मं', 'बु', 'गु', 'शु', 'श'], STANDALONENARROWWEEKDAYS: ['र', 'सो', 'मं', 'बु', 'गु', 'शु', 'श'], SHORTQUARTERS: ['ति 1', '2 री तिमाही', 'ति 3', 'ति 4'], QUARTERS: ['प्रथम तिमाही', 'द्वितीय तिमाही', 'तृतीय तिमाही', 'चतुर्थ तिमाही'], AMPMS: ['am', 'pm'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'd-M-yy'], TIMEFORMATS: ['h-mm-ss a zzzz', 'h-mm-ss a z', 'h-mm-ss a', 'h-mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [6, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale ms_BN. */ goog.i18n.DateTimeSymbols_ms_BN = { ERAS: ['S.M.', 'TM'], ERANAMES: ['S.M.', 'TM'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'O', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'O', 'S', 'O', 'N', 'D'], MONTHS: ['Januari', 'Februari', 'Mac', 'April', 'Mei', 'Jun', 'Julai', 'Ogos', 'September', 'Oktober', 'November', 'Disember'], STANDALONEMONTHS: ['Januari', 'Februari', 'Mac', 'April', 'Mei', 'Jun', 'Julai', 'Ogos', 'September', 'Oktober', 'November', 'Disember'], SHORTMONTHS: ['Jan', 'Feb', 'Mac', 'Apr', 'Mei', 'Jun', 'Jul', 'Ogos', 'Sep', 'Okt', 'Nov', 'Dis'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mac', 'Apr', 'Mei', 'Jun', 'Jul', 'Ogos', 'Sep', 'Okt', 'Nov', 'Dis'], WEEKDAYS: ['Ahad', 'Isnin', 'Selasa', 'Rabu', 'Khamis', 'Jumaat', 'Sabtu'], STANDALONEWEEKDAYS: ['Ahad', 'Isnin', 'Selasa', 'Rabu', 'Khamis', 'Jumaat', 'Sabtu'], SHORTWEEKDAYS: ['Ahd', 'Isn', 'Sel', 'Rab', 'Kha', 'Jum', 'Sab'], STANDALONESHORTWEEKDAYS: ['Ahd', 'Isn', 'Sel', 'Rab', 'Kha', 'Jum', 'Sab'], NARROWWEEKDAYS: ['A', 'I', 'S', 'R', 'K', 'J', 'S'], STANDALONENARROWWEEKDAYS: ['A', 'I', 'S', 'R', 'K', 'J', 'S'], SHORTQUARTERS: ['Suku 1', 'Suku Ke-2', 'Suku Ke-3', 'Suku Ke-4'], QUARTERS: ['Suku pertama', 'Suku Ke-2', 'Suku Ke-3', 'Suku Ke-4'], AMPMS: ['PG', 'PTG'], DATEFORMATS: ['dd MMMM y', 'd MMMM y', 'dd/MM/yyyy', 'd/MM/yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale ms_MY. */ goog.i18n.DateTimeSymbols_ms_MY = { ERAS: ['S.M.', 'TM'], ERANAMES: ['S.M.', 'TM'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'O', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'O', 'S', 'O', 'N', 'D'], MONTHS: ['Januari', 'Februari', 'Mac', 'April', 'Mei', 'Jun', 'Julai', 'Ogos', 'September', 'Oktober', 'November', 'Disember'], STANDALONEMONTHS: ['Januari', 'Februari', 'Mac', 'April', 'Mei', 'Jun', 'Julai', 'Ogos', 'September', 'Oktober', 'November', 'Disember'], SHORTMONTHS: ['Jan', 'Feb', 'Mac', 'Apr', 'Mei', 'Jun', 'Jul', 'Ogos', 'Sep', 'Okt', 'Nov', 'Dis'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mac', 'Apr', 'Mei', 'Jun', 'Jul', 'Ogos', 'Sep', 'Okt', 'Nov', 'Dis'], WEEKDAYS: ['Ahad', 'Isnin', 'Selasa', 'Rabu', 'Khamis', 'Jumaat', 'Sabtu'], STANDALONEWEEKDAYS: ['Ahad', 'Isnin', 'Selasa', 'Rabu', 'Khamis', 'Jumaat', 'Sabtu'], SHORTWEEKDAYS: ['Ahd', 'Isn', 'Sel', 'Rab', 'Kha', 'Jum', 'Sab'], STANDALONESHORTWEEKDAYS: ['Ahd', 'Isn', 'Sel', 'Rab', 'Kha', 'Jum', 'Sab'], NARROWWEEKDAYS: ['A', 'I', 'S', 'R', 'K', 'J', 'S'], STANDALONENARROWWEEKDAYS: ['A', 'I', 'S', 'R', 'K', 'J', 'S'], SHORTQUARTERS: ['Suku 1', 'Suku Ke-2', 'Suku Ke-3', 'Suku Ke-4'], QUARTERS: ['Suku pertama', 'Suku Ke-2', 'Suku Ke-3', 'Suku Ke-4'], AMPMS: ['PG', 'PTG'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'dd/MM/yyyy', 'd/MM/yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale mt_MT. */ goog.i18n.DateTimeSymbols_mt_MT = { ERAS: ['QK', 'WK'], ERANAMES: ['Qabel Kristu', 'Wara Kristu'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'Ġ', 'L', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'Ġ', 'L', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['Jannar', 'Frar', 'Marzu', 'April', 'Mejju', 'Ġunju', 'Lulju', 'Awwissu', 'Settembru', 'Ottubru', 'Novembru', 'Diċembru'], STANDALONEMONTHS: ['Jannar', 'Frar', 'Marzu', 'April', 'Mejju', 'Ġunju', 'Lulju', 'Awwissu', 'Settembru', 'Ottubru', 'Novembru', 'Diċembru'], SHORTMONTHS: ['Jan', 'Fra', 'Mar', 'Apr', 'Mej', 'Ġun', 'Lul', 'Aww', 'Set', 'Ott', 'Nov', 'Diċ'], STANDALONESHORTMONTHS: ['Jan', 'Fra', 'Mar', 'Apr', 'Mej', 'Ġun', 'Lul', 'Aww', 'Set', 'Ott', 'Nov', 'Diċ'], WEEKDAYS: ['Il-Ħadd', 'It-Tnejn', 'It-Tlieta', 'L-Erbgħa', 'Il-Ħamis', 'Il-Ġimgħa', 'Is-Sibt'], STANDALONEWEEKDAYS: ['Il-Ħadd', 'It-Tnejn', 'It-Tlieta', 'L-Erbgħa', 'Il-Ħamis', 'Il-Ġimgħa', 'Is-Sibt'], SHORTWEEKDAYS: ['Ħad', 'Tne', 'Tli', 'Erb', 'Ħam', 'Ġim', 'Sib'], STANDALONESHORTWEEKDAYS: ['Ħad', 'Tne', 'Tli', 'Erb', 'Ħam', 'Ġim', 'Sib'], NARROWWEEKDAYS: ['Ħ', 'T', 'T', 'E', 'Ħ', 'Ġ', 'S'], STANDALONENARROWWEEKDAYS: ['Ħ', 'T', 'T', 'E', 'Ħ', 'Ġ', 'S'], SHORTQUARTERS: ['K1', 'K2', 'K3', 'K4'], QUARTERS: ['K1', 'K2', 'K3', 'K4'], AMPMS: ['QN', 'WN'], DATEFORMATS: ['EEEE, d \'ta\'’ MMMM y', 'd \'ta\'’ MMMM y', 'dd MMM y', 'dd/MM/yyyy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale mua. */ goog.i18n.DateTimeSymbols_mua = { ERAS: ['KK', 'PK'], ERANAMES: ['KǝPel Kristu', 'Pel Kristu'], NARROWMONTHS: ['O', 'A', 'I', 'F', 'D', 'B', 'L', 'M', 'E', 'U', 'W', 'Y'], STANDALONENARROWMONTHS: ['O', 'A', 'I', 'F', 'D', 'B', 'L', 'M', 'E', 'U', 'W', 'Y'], MONTHS: ['Fĩi Loo', 'Cokcwaklaŋne', 'Cokcwaklii', 'Fĩi Marfoo', 'Madǝǝuutǝbijaŋ', 'Mamǝŋgwãafahbii', 'Mamǝŋgwãalii', 'Madǝmbii', 'Fĩi Dǝɓlii', 'Fĩi Mundaŋ', 'Fĩi Gwahlle', 'Fĩi Yuru'], STANDALONEMONTHS: ['Fĩi Loo', 'Cokcwaklaŋne', 'Cokcwaklii', 'Fĩi Marfoo', 'Madǝǝuutǝbijaŋ', 'Mamǝŋgwãafahbii', 'Mamǝŋgwãalii', 'Madǝmbii', 'Fĩi Dǝɓlii', 'Fĩi Mundaŋ', 'Fĩi Gwahlle', 'Fĩi Yuru'], SHORTMONTHS: ['FLO', 'CLA', 'CKI', 'FMF', 'MAD', 'MBI', 'MLI', 'MAM', 'FDE', 'FMU', 'FGW', 'FYU'], STANDALONESHORTMONTHS: ['FLO', 'CLA', 'CKI', 'FMF', 'MAD', 'MBI', 'MLI', 'MAM', 'FDE', 'FMU', 'FGW', 'FYU'], WEEKDAYS: ['Com\'yakke', 'Comlaaɗii', 'Comzyiiɗii', 'Comkolle', 'Comkaldǝɓlii', 'Comgaisuu', 'Comzyeɓsuu'], STANDALONEWEEKDAYS: ['Com\'yakke', 'Comlaaɗii', 'Comzyiiɗii', 'Comkolle', 'Comkaldǝɓlii', 'Comgaisuu', 'Comzyeɓsuu'], SHORTWEEKDAYS: ['Cya', 'Cla', 'Czi', 'Cko', 'Cka', 'Cga', 'Cze'], STANDALONESHORTWEEKDAYS: ['Cya', 'Cla', 'Czi', 'Cko', 'Cka', 'Cga', 'Cze'], NARROWWEEKDAYS: ['Y', 'L', 'Z', 'O', 'A', 'G', 'E'], STANDALONENARROWWEEKDAYS: ['Y', 'L', 'Z', 'O', 'A', 'G', 'E'], SHORTQUARTERS: ['F1', 'F2', 'F3', 'F4'], QUARTERS: ['Tai fĩi sai ma tǝn kee zah', 'Tai fĩi sai zah lǝn gwa ma kee', 'Tai fĩi sai zah lǝn sai ma kee', 'Tai fĩi sai ma coo kee zah \'na'], AMPMS: ['comme', 'lilli'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'd/M/yyyy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale mua_CM. */ goog.i18n.DateTimeSymbols_mua_CM = goog.i18n.DateTimeSymbols_mua; /** * Date/time formatting symbols for locale my. */ goog.i18n.DateTimeSymbols_my = { ZERODIGIT: 0x1040, ERAS: ['ဘီစီ', 'အေဒီ'], ERANAMES: ['ခရစ်တော် မပေါ်မီကာလ', 'ခရစ်တော် ပေါ်ထွန်းပြီးကာလ'], NARROWMONTHS: ['ဇ', 'ဖ', 'မ', 'ဧ', 'မ', 'ဇ', 'ဇ', 'ဩ', 'စ', 'အ', 'န', 'ဒ'], STANDALONENARROWMONTHS: ['ဇ', 'ဖ', 'မ', 'ဧ', 'မ', 'ဇ', 'ဇ', 'ဩ', 'စ', 'အ', 'န', 'ဒ'], MONTHS: ['ဇန်နဝါရီ', 'ဖေဖော်ဝါရီ', 'မတ်', 'ဧပြီ', 'မေ', 'ဇွန်', 'ဇူလိုင်', 'ဩဂုတ်', 'စက်တင်ဘာ', 'အောက်တိုဘာ', 'နိုဝင်ဘာ', 'ဒီဇင်ဘာ'], STANDALONEMONTHS: ['ဇန်နဝါရီ', 'ဖေဖော်ဝါရီ', 'မတ်', 'ဧပြီ', 'မေ', 'ဇွန်', 'ဇူလိုင်', 'ဩဂုတ်', 'စက်တင်ဘာ', 'အောက်တိုဘာ', 'နိုဝင်ဘာ', 'ဒီဇင်ဘာ'], SHORTMONTHS: ['ဇန်', 'ဖေ', 'မတ်', 'ဧ', 'မေ', 'ဇွန်', 'ဇူ', 'ဩ', 'စက်', 'အောက်', 'နို', 'ဒီ'], STANDALONESHORTMONTHS: ['ဇန်', 'ဖေ', 'မတ်', 'ဧ', 'မေ', 'ဇွန်', 'ဇူ', 'ဩ', 'စက်', 'အောက်', 'နို', 'ဒီ'], WEEKDAYS: ['တနင်္ဂနွေ', 'တနင်္လာ', 'အင်္ဂါ', 'ဗုဒ္ဓဟူး', 'ကြာသပတေး', 'သောကြာ', 'စနေ'], STANDALONEWEEKDAYS: ['တနင်္ဂနွေ', 'တနင်္လာ', 'အင်္ဂါ', 'ဗုဒ္ဓဟူး', 'ကြာသပတေး', 'သောကြာ', 'စနေ'], SHORTWEEKDAYS: ['နွေ', 'လာ', 'ဂါ', 'ဟူး', 'တေး', 'ကြာ', 'နေ'], STANDALONESHORTWEEKDAYS: ['နွေ', 'လာ', 'ဂါ', 'ဟူး', 'တေး', 'ကြာ', 'နေ'], NARROWWEEKDAYS: ['တ', 'တ', 'အ', 'ဗ', 'က', 'သ', 'စ'], STANDALONENARROWWEEKDAYS: ['တ', 'တ', 'အ', 'ဗ', 'က', 'သ', 'စ'], SHORTQUARTERS: ['ပ-စိတ်', 'ဒု-စိတ်', 'တ-စိတ်', 'စ-စိတ်'], QUARTERS: ['ပထမ သုံးလပတ်', 'ဒုတိယ သုံးလပတ်', 'တတိယ သုံးလပတ်', 'စတုတ္ထ သုံးလပတ်'], AMPMS: ['နံနက်', 'ညနေ'], DATEFORMATS: ['EEEE, y MMMM dd', 'y MMMM d', 'y MMM d', 'yy/MM/dd'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale my_MM. */ goog.i18n.DateTimeSymbols_my_MM = goog.i18n.DateTimeSymbols_my; /** * Date/time formatting symbols for locale naq. */ goog.i18n.DateTimeSymbols_naq = { ERAS: ['BC', 'AD'], ERANAMES: ['Xristub aiǃâ', 'Xristub khaoǃgâ'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['ǃKhanni', 'ǃKhanǀgôab', 'ǀKhuuǁkhâb', 'ǃHôaǂkhaib', 'ǃKhaitsâb', 'Gamaǀaeb', 'ǂKhoesaob', 'Aoǁkhuumûǁkhâb', 'Taraǀkhuumûǁkhâb', 'ǂNûǁnâiseb', 'ǀHooǂgaeb', 'Hôasoreǁkhâb'], STANDALONEMONTHS: ['ǃKhanni', 'ǃKhanǀgôab', 'ǀKhuuǁkhâb', 'ǃHôaǂkhaib', 'ǃKhaitsâb', 'Gamaǀaeb', 'ǂKhoesaob', 'Aoǁkhuumûǁkhâb', 'Taraǀkhuumûǁkhâb', 'ǂNûǁnâiseb', 'ǀHooǂgaeb', 'Hôasoreǁkhâb'], SHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], WEEKDAYS: ['Sontaxtsees', 'Mantaxtsees', 'Denstaxtsees', 'Wunstaxtsees', 'Dondertaxtsees', 'Fraitaxtsees', 'Satertaxtsees'], STANDALONEWEEKDAYS: ['Sontaxtsees', 'Mantaxtsees', 'Denstaxtsees', 'Wunstaxtsees', 'Dondertaxtsees', 'Fraitaxtsees', 'Satertaxtsees'], SHORTWEEKDAYS: ['Son', 'Ma', 'De', 'Wu', 'Do', 'Fr', 'Sat'], STANDALONESHORTWEEKDAYS: ['Son', 'Ma', 'De', 'Wu', 'Do', 'Fr', 'Sat'], NARROWWEEKDAYS: ['S', 'M', 'E', 'W', 'D', 'F', 'A'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'E', 'W', 'D', 'F', 'A'], SHORTQUARTERS: ['KW1', 'KW2', 'KW3', 'KW4'], QUARTERS: ['1ro kwartals', '2ǁî kwartals', '3ǁî kwartals', '4ǁî kwartals'], AMPMS: ['ǁgoagas', 'ǃuias'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yyyy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale naq_NA. */ goog.i18n.DateTimeSymbols_naq_NA = goog.i18n.DateTimeSymbols_naq; /** * Date/time formatting symbols for locale nb. */ goog.i18n.DateTimeSymbols_nb = { ERAS: ['f.Kr.', 'e.Kr.'], ERANAMES: ['f.Kr.', 'e.Kr.'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['januar', 'februar', 'mars', 'april', 'mai', 'juni', 'juli', 'august', 'september', 'oktober', 'november', 'desember'], STANDALONEMONTHS: ['januar', 'februar', 'mars', 'april', 'mai', 'juni', 'juli', 'august', 'september', 'oktober', 'november', 'desember'], SHORTMONTHS: ['jan.', 'feb.', 'mars', 'apr.', 'mai', 'juni', 'juli', 'aug.', 'sep.', 'okt.', 'nov.', 'des.'], STANDALONESHORTMONTHS: ['jan', 'feb', 'mar', 'apr', 'mai', 'jun', 'jul', 'aug', 'sep', 'okt', 'nov', 'des'], WEEKDAYS: ['søndag', 'mandag', 'tirsdag', 'onsdag', 'torsdag', 'fredag', 'lørdag'], STANDALONEWEEKDAYS: ['søndag', 'mandag', 'tirsdag', 'onsdag', 'torsdag', 'fredag', 'lørdag'], SHORTWEEKDAYS: ['søn.', 'man.', 'tir.', 'ons.', 'tor.', 'fre.', 'lør.'], STANDALONESHORTWEEKDAYS: ['sø.', 'ma.', 'ti.', 'on.', 'to.', 'fr.', 'lø.'], NARROWWEEKDAYS: ['S', 'M', 'T', 'O', 'T', 'F', 'L'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'T', 'O', 'T', 'F', 'L'], SHORTQUARTERS: ['K1', 'K2', 'K3', 'K4'], QUARTERS: ['1. kvartal', '2. kvartal', '3. kvartal', '4. kvartal'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE d. MMMM y', 'd. MMMM y', 'd. MMM y', 'dd.MM.yy'], TIMEFORMATS: ['\'kl\'. HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale nb_NO. */ goog.i18n.DateTimeSymbols_nb_NO = goog.i18n.DateTimeSymbols_nb; /** * Date/time formatting symbols for locale nd. */ goog.i18n.DateTimeSymbols_nd = { ERAS: ['BC', 'AD'], ERANAMES: ['UKristo angakabuyi', 'Ukristo ebuyile'], NARROWMONTHS: ['Z', 'N', 'M', 'M', 'N', 'N', 'N', 'N', 'M', 'M', 'L', 'M'], STANDALONENARROWMONTHS: ['Z', 'N', 'M', 'M', 'N', 'N', 'N', 'N', 'M', 'M', 'L', 'M'], MONTHS: ['Zibandlela', 'Nhlolanja', 'Mbimbitho', 'Mabasa', 'Nkwenkwezi', 'Nhlangula', 'Ntulikazi', 'Ncwabakazi', 'Mpandula', 'Mfumfu', 'Lwezi', 'Mpalakazi'], STANDALONEMONTHS: ['Zibandlela', 'Nhlolanja', 'Mbimbitho', 'Mabasa', 'Nkwenkwezi', 'Nhlangula', 'Ntulikazi', 'Ncwabakazi', 'Mpandula', 'Mfumfu', 'Lwezi', 'Mpalakazi'], SHORTMONTHS: ['Zib', 'Nhlo', 'Mbi', 'Mab', 'Nkw', 'Nhla', 'Ntu', 'Ncw', 'Mpan', 'Mfu', 'Lwe', 'Mpal'], STANDALONESHORTMONTHS: ['Zib', 'Nhlo', 'Mbi', 'Mab', 'Nkw', 'Nhla', 'Ntu', 'Ncw', 'Mpan', 'Mfu', 'Lwe', 'Mpal'], WEEKDAYS: ['Sonto', 'Mvulo', 'Sibili', 'Sithathu', 'Sine', 'Sihlanu', 'Mgqibelo'], STANDALONEWEEKDAYS: ['Sonto', 'Mvulo', 'Sibili', 'Sithathu', 'Sine', 'Sihlanu', 'Mgqibelo'], SHORTWEEKDAYS: ['Son', 'Mvu', 'Sib', 'Sit', 'Sin', 'Sih', 'Mgq'], STANDALONESHORTWEEKDAYS: ['Son', 'Mvu', 'Sib', 'Sit', 'Sin', 'Sih', 'Mgq'], NARROWWEEKDAYS: ['S', 'M', 'S', 'S', 'S', 'S', 'M'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'S', 'S', 'S', 'S', 'M'], SHORTQUARTERS: ['K1', 'K2', 'K3', 'K4'], QUARTERS: ['Kota 1', 'Kota 2', 'Kota 3', 'Kota 4'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yyyy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale nd_ZW. */ goog.i18n.DateTimeSymbols_nd_ZW = goog.i18n.DateTimeSymbols_nd; /** * Date/time formatting symbols for locale ne. */ goog.i18n.DateTimeSymbols_ne = { ERAS: ['ईसा पूर्व', 'सन्'], ERANAMES: ['ईसा पूर्व', 'सन्'], NARROWMONTHS: ['१', '२', '३', '४', '५', '६', '७', '८', '९', '१०', '११', '१२'], STANDALONENARROWMONTHS: ['१', '२', '३', '४', '५', '६', '७', '८', '९', '१०', '११', '१२'], MONTHS: ['जनवरी', 'फेब्रुअरी', 'मार्च', 'अप्रिल', 'मे', 'जुन', 'जुलाई', 'अगस्त', 'सेप्टेम्बर', 'अक्टोबर', 'नोभेम्बर', 'डिसेम्बर'], STANDALONEMONTHS: ['जनवरी', 'फेब्रुअरी', 'मार्च', 'अप्रिल', 'मे', 'जुन', 'जुलाई', 'अगस्त', 'सेप्टेम्बर', 'अक्टोबर', 'नोभेम्बर', 'डिसेम्बर'], SHORTMONTHS: ['जन', 'फेब', 'मार्च', 'अप्रि', 'मे', 'जुन', 'जुला', 'अग', 'सेप्ट', 'अक्टो', 'नोभे', 'डिसे'], STANDALONESHORTMONTHS: ['जन', 'फेब', 'मार्च', 'अप्रि', 'मे', 'जुन', 'जुला', 'अग', 'सेप्ट', 'अक्टो', 'नोभे', 'डिसे'], WEEKDAYS: ['आइतबार', 'सोमबार', 'मङ्गलबार', 'बुधबार', 'बिहीबार', 'शुक्रबार', 'शनिबार'], STANDALONEWEEKDAYS: ['आइतबार', 'सोमबार', 'मङ्गलबार', 'बुधबार', 'बिहीबार', 'शुक्रबार', 'शनिबार'], SHORTWEEKDAYS: ['आइत', 'सोम', 'मङ्गल', 'बुध', 'बिही', 'शुक्र', 'शनि'], STANDALONESHORTWEEKDAYS: ['आइत', 'सोम', 'मङ्गल', 'बुध', 'बिही', 'शुक्र', 'शनि'], NARROWWEEKDAYS: ['१', '२', '३', '४', '५', '६', '७'], STANDALONENARROWWEEKDAYS: ['१', '२', '३', '४', '५', '६', '७'], SHORTQUARTERS: ['पहिलो सत्र', 'दोस्रो सत्र', 'तेस्रो सत्र', 'चौथो सत्र'], QUARTERS: ['पहिलो सत्र', 'दोस्रो सत्र', 'तेस्रो सत्र', 'चौथो सत्र'], AMPMS: ['पूर्व मध्यान्ह', 'उत्तर मध्यान्ह'], DATEFORMATS: ['EEEE, y MMMM dd', 'y MMMM d', 'y MMM d', 'yyyy-MM-dd'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale ne_IN. */ goog.i18n.DateTimeSymbols_ne_IN = { ERAS: ['ईसा पूर्व', 'सन्'], ERANAMES: ['ईसा पूर्व', 'सन्'], NARROWMONTHS: ['१', '२', '३', '४', '५', '६', '७', '८', '९', '१०', '११', '१२'], STANDALONENARROWMONTHS: ['१', '२', '३', '४', '५', '६', '७', '८', '९', '१०', '११', '१२'], MONTHS: ['जनवरी', 'फरवरी', 'मार्च', 'अप्रेल', 'मई', 'जुन', 'जुलाई', 'अगस्त', 'सेप्टेम्बर', 'अक्टोबर', 'नोभेम्बर', 'दिसम्बर'], STANDALONEMONTHS: ['जनवरी', 'फरवरी', 'मार्च', 'अप्रेल', 'मई', 'जुन', 'जुलाई', 'अगस्त', 'सेप्टेम्बर', 'अक्टोबर', 'नोभेम्बर', 'दिसम्बर'], SHORTMONTHS: ['जन', 'फेब', 'मार्च', 'अप्रि', 'मे', 'जुन', 'जुला', 'अग', 'सेप्ट', 'अक्टो', 'नोभे', 'डिसे'], STANDALONESHORTMONTHS: ['जन', 'फेब', 'मार्च', 'अप्रि', 'मे', 'जुन', 'जुला', 'अग', 'सेप्ट', 'अक्टो', 'नोभे', 'डिसे'], WEEKDAYS: ['आइतवार', 'सोमवार', 'मङ्गलवार', 'बुधवार', 'बिहीवार', 'शुक्रवार', 'शनिवार'], STANDALONEWEEKDAYS: ['आइतवार', 'सोमवार', 'मङ्गलवार', 'बुधवार', 'बिहीवार', 'शुक्रवार', 'शनिवार'], SHORTWEEKDAYS: ['आइत', 'सोम', 'मङ्गल', 'बुध', 'बिही', 'शुक्र', 'शनि'], STANDALONESHORTWEEKDAYS: ['आइत', 'सोम', 'मङ्गल', 'बुध', 'बिही', 'शुक्र', 'शनि'], NARROWWEEKDAYS: ['१', '२', '३', '४', '५', '६', '७'], STANDALONENARROWWEEKDAYS: ['१', '२', '३', '४', '५', '६', '७'], SHORTQUARTERS: ['पहिलो पाउ', 'दोस्रो पाउ', 'तेस्रो पाउ', 'चौथो पाउ'], QUARTERS: ['पहिलो पाउ', 'दोस्रो पाउ', 'तेस्रो पाउ', 'चौथो पाउ'], AMPMS: ['पूर्वाह्न', 'अपराह्न'], DATEFORMATS: ['EEEE, y MMMM dd', 'y MMMM d', 'y MMM d', 'yyyy-MM-dd'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [6, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale ne_NP. */ goog.i18n.DateTimeSymbols_ne_NP = goog.i18n.DateTimeSymbols_ne; /** * Date/time formatting symbols for locale nl_AW. */ goog.i18n.DateTimeSymbols_nl_AW = { ERAS: ['v. Chr.', 'n. Chr.'], ERANAMES: ['Voor Christus', 'na Christus'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['januari', 'februari', 'maart', 'april', 'mei', 'juni', 'juli', 'augustus', 'september', 'oktober', 'november', 'december'], STANDALONEMONTHS: ['januari', 'februari', 'maart', 'april', 'mei', 'juni', 'juli', 'augustus', 'september', 'oktober', 'november', 'december'], SHORTMONTHS: ['jan.', 'feb.', 'mrt.', 'apr.', 'mei', 'jun.', 'jul.', 'aug.', 'sep.', 'okt.', 'nov.', 'dec.'], STANDALONESHORTMONTHS: ['jan', 'feb', 'mrt', 'apr', 'mei', 'jun', 'jul', 'aug', 'sep', 'okt', 'nov', 'dec'], WEEKDAYS: ['zondag', 'maandag', 'dinsdag', 'woensdag', 'donderdag', 'vrijdag', 'zaterdag'], STANDALONEWEEKDAYS: ['zondag', 'maandag', 'dinsdag', 'woensdag', 'donderdag', 'vrijdag', 'zaterdag'], SHORTWEEKDAYS: ['zo', 'ma', 'di', 'wo', 'do', 'vr', 'za'], STANDALONESHORTWEEKDAYS: ['zo', 'ma', 'di', 'wo', 'do', 'vr', 'za'], NARROWWEEKDAYS: ['Z', 'M', 'D', 'W', 'D', 'V', 'Z'], STANDALONENARROWWEEKDAYS: ['Z', 'M', 'D', 'W', 'D', 'V', 'Z'], SHORTQUARTERS: ['K1', 'K2', 'K3', 'K4'], QUARTERS: ['1e kwartaal', '2e kwartaal', '3e kwartaal', '4e kwartaal'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'dd-MM-yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale nl_BE. */ goog.i18n.DateTimeSymbols_nl_BE = { ERAS: ['v. Chr.', 'n. Chr.'], ERANAMES: ['Voor Christus', 'na Christus'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['januari', 'februari', 'maart', 'april', 'mei', 'juni', 'juli', 'augustus', 'september', 'oktober', 'november', 'december'], STANDALONEMONTHS: ['januari', 'februari', 'maart', 'april', 'mei', 'juni', 'juli', 'augustus', 'september', 'oktober', 'november', 'december'], SHORTMONTHS: ['jan.', 'feb.', 'mrt.', 'apr.', 'mei', 'jun.', 'jul.', 'aug.', 'sep.', 'okt.', 'nov.', 'dec.'], STANDALONESHORTMONTHS: ['jan', 'feb', 'mrt', 'apr', 'mei', 'jun', 'jul', 'aug', 'sep', 'okt', 'nov', 'dec'], WEEKDAYS: ['zondag', 'maandag', 'dinsdag', 'woensdag', 'donderdag', 'vrijdag', 'zaterdag'], STANDALONEWEEKDAYS: ['zondag', 'maandag', 'dinsdag', 'woensdag', 'donderdag', 'vrijdag', 'zaterdag'], SHORTWEEKDAYS: ['zo', 'ma', 'di', 'wo', 'do', 'vr', 'za'], STANDALONESHORTWEEKDAYS: ['zo', 'ma', 'di', 'wo', 'do', 'vr', 'za'], NARROWWEEKDAYS: ['Z', 'M', 'D', 'W', 'D', 'V', 'Z'], STANDALONENARROWWEEKDAYS: ['Z', 'M', 'D', 'W', 'D', 'V', 'Z'], SHORTQUARTERS: ['K1', 'K2', 'K3', 'K4'], QUARTERS: ['1e kwartaal', '2e kwartaal', '3e kwartaal', '4e kwartaal'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd-MMM-y', 'd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale nl_NL. */ goog.i18n.DateTimeSymbols_nl_NL = { ERAS: ['v. Chr.', 'n. Chr.'], ERANAMES: ['Voor Christus', 'na Christus'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['januari', 'februari', 'maart', 'april', 'mei', 'juni', 'juli', 'augustus', 'september', 'oktober', 'november', 'december'], STANDALONEMONTHS: ['januari', 'februari', 'maart', 'april', 'mei', 'juni', 'juli', 'augustus', 'september', 'oktober', 'november', 'december'], SHORTMONTHS: ['jan.', 'feb.', 'mrt.', 'apr.', 'mei', 'jun.', 'jul.', 'aug.', 'sep.', 'okt.', 'nov.', 'dec.'], STANDALONESHORTMONTHS: ['jan', 'feb', 'mrt', 'apr', 'mei', 'jun', 'jul', 'aug', 'sep', 'okt', 'nov', 'dec'], WEEKDAYS: ['zondag', 'maandag', 'dinsdag', 'woensdag', 'donderdag', 'vrijdag', 'zaterdag'], STANDALONEWEEKDAYS: ['zondag', 'maandag', 'dinsdag', 'woensdag', 'donderdag', 'vrijdag', 'zaterdag'], SHORTWEEKDAYS: ['zo', 'ma', 'di', 'wo', 'do', 'vr', 'za'], STANDALONESHORTWEEKDAYS: ['zo', 'ma', 'di', 'wo', 'do', 'vr', 'za'], NARROWWEEKDAYS: ['Z', 'M', 'D', 'W', 'D', 'V', 'Z'], STANDALONENARROWWEEKDAYS: ['Z', 'M', 'D', 'W', 'D', 'V', 'Z'], SHORTQUARTERS: ['K1', 'K2', 'K3', 'K4'], QUARTERS: ['1e kwartaal', '2e kwartaal', '3e kwartaal', '4e kwartaal'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'dd-MM-yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale nmg. */ goog.i18n.DateTimeSymbols_nmg = { ERAS: ['BL', 'PB'], ERANAMES: ['Bó Lahlɛ̄', 'Pfiɛ Burī'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['ngwɛn matáhra', 'ngwɛn ńmba', 'ngwɛn ńlal', 'ngwɛn ńna', 'ngwɛn ńtan', 'ngwɛn ńtuó', 'ngwɛn hɛmbuɛrí', 'ngwɛn lɔmbi', 'ngwɛn rɛbvuâ', 'ngwɛn wum', 'ngwɛn wum navŭr', 'krísimin'], STANDALONEMONTHS: ['ngwɛn matáhra', 'ngwɛn ńmba', 'ngwɛn ńlal', 'ngwɛn ńna', 'ngwɛn ńtan', 'ngwɛn ńtuó', 'ngwɛn hɛmbuɛrí', 'ngwɛn lɔmbi', 'ngwɛn rɛbvuâ', 'ngwɛn wum', 'ngwɛn wum navŭr', 'krísimin'], SHORTMONTHS: ['ng1', 'ng2', 'ng3', 'ng4', 'ng5', 'ng6', 'ng7', 'ng8', 'ng9', 'ng10', 'ng11', 'kris'], STANDALONESHORTMONTHS: ['ng1', 'ng2', 'ng3', 'ng4', 'ng5', 'ng6', 'ng7', 'ng8', 'ng9', 'ng10', 'ng11', 'kris'], WEEKDAYS: ['sɔ́ndɔ', 'mɔ́ndɔ', 'sɔ́ndɔ mafú mába', 'sɔ́ndɔ mafú málal', 'sɔ́ndɔ mafú mána', 'mabágá má sukul', 'sásadi'], STANDALONEWEEKDAYS: ['sɔ́ndɔ', 'mɔ́ndɔ', 'sɔ́ndɔ mafú mába', 'sɔ́ndɔ mafú málal', 'sɔ́ndɔ mafú mána', 'mabágá má sukul', 'sásadi'], SHORTWEEKDAYS: ['sɔ́n', 'mɔ́n', 'smb', 'sml', 'smn', 'mbs', 'sas'], STANDALONESHORTWEEKDAYS: ['sɔ́n', 'mɔ́n', 'smb', 'sml', 'smn', 'mbs', 'sas'], NARROWWEEKDAYS: ['s', 'm', 's', 's', 's', 'm', 's'], STANDALONENARROWWEEKDAYS: ['s', 'm', 's', 's', 's', 'm', 's'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['Tindɛ nvúr', 'Tindɛ ńmba', 'Tindɛ ńlal', 'Tindɛ ńna'], AMPMS: ['maná', 'kugú'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'd/M/yyyy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale nmg_CM. */ goog.i18n.DateTimeSymbols_nmg_CM = goog.i18n.DateTimeSymbols_nmg; /** * Date/time formatting symbols for locale nn. */ goog.i18n.DateTimeSymbols_nn = { ERAS: ['f.Kr.', 'e.Kr.'], ERANAMES: ['f.Kr.', 'e.Kr.'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['januar', 'februar', 'mars', 'april', 'mai', 'juni', 'juli', 'august', 'september', 'oktober', 'november', 'desember'], STANDALONEMONTHS: ['januar', 'februar', 'mars', 'april', 'mai', 'juni', 'juli', 'august', 'september', 'oktober', 'november', 'desember'], SHORTMONTHS: ['jan.', 'feb.', 'mars', 'apr.', 'mai', 'juni', 'juli', 'aug.', 'sep.', 'okt.', 'nov.', 'des.'], STANDALONESHORTMONTHS: ['jan', 'feb', 'mar', 'apr', 'mai', 'jun', 'jul', 'aug', 'sep', 'okt', 'nov', 'des'], WEEKDAYS: ['søndag', 'måndag', 'tysdag', 'onsdag', 'torsdag', 'fredag', 'laurdag'], STANDALONEWEEKDAYS: ['søndag', 'måndag', 'tysdag', 'onsdag', 'torsdag', 'fredag', 'laurdag'], SHORTWEEKDAYS: ['sø.', 'må.', 'ty.', 'on.', 'to.', 'fr.', 'la.'], STANDALONESHORTWEEKDAYS: ['søn', 'mån', 'tys', 'ons', 'tor', 'fre', 'lau'], NARROWWEEKDAYS: ['S', 'M', 'T', 'O', 'T', 'F', 'L'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'T', 'O', 'T', 'F', 'L'], SHORTQUARTERS: ['K1', 'K2', 'K3', 'K4'], QUARTERS: ['1. kvartal', '2. kvartal', '3. kvartal', '4. kvartal'], AMPMS: ['formiddag', 'ettermiddag'], DATEFORMATS: ['EEEE d. MMMM y', 'd. MMMM y', 'd. MMM y', 'dd.MM.yy'], TIMEFORMATS: ['\'kl\'. HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale nn_NO. */ goog.i18n.DateTimeSymbols_nn_NO = goog.i18n.DateTimeSymbols_nn; /** * Date/time formatting symbols for locale nr. */ goog.i18n.DateTimeSymbols_nr = { ERAS: ['BC', 'AD'], ERANAMES: ['BC', 'AD'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['Janabari', 'uFeberbari', 'uMatjhi', 'u-Apreli', 'Meyi', 'Juni', 'Julayi', 'Arhostosi', 'Septemba', 'Oktoba', 'Usinyikhaba', 'Disemba'], STANDALONEMONTHS: ['Janabari', 'uFeberbari', 'uMatjhi', 'u-Apreli', 'Meyi', 'Juni', 'Julayi', 'Arhostosi', 'Septemba', 'Oktoba', 'Usinyikhaba', 'Disemba'], SHORTMONTHS: ['Jan', 'Feb', 'Mat', 'Apr', 'Mey', 'Jun', 'Jul', 'Arh', 'Sep', 'Okt', 'Usi', 'Dis'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mat', 'Apr', 'Mey', 'Jun', 'Jul', 'Arh', 'Sep', 'Okt', 'Usi', 'Dis'], WEEKDAYS: ['uSonto', 'uMvulo', 'uLesibili', 'Lesithathu', 'uLesine', 'ngoLesihlanu', 'umGqibelo'], STANDALONEWEEKDAYS: ['uSonto', 'uMvulo', 'uLesibili', 'Lesithathu', 'uLesine', 'ngoLesihlanu', 'umGqibelo'], SHORTWEEKDAYS: ['Son', 'Mvu', 'Bil', 'Tha', 'Ne', 'Hla', 'Gqi'], STANDALONESHORTWEEKDAYS: ['Son', 'Mvu', 'Bil', 'Tha', 'Ne', 'Hla', 'Gqi'], NARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], STANDALONENARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, y MMMM dd', 'y MMMM d', 'y MMM d', 'yyyy-MM-dd'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale nr_ZA. */ goog.i18n.DateTimeSymbols_nr_ZA = goog.i18n.DateTimeSymbols_nr; /** * Date/time formatting symbols for locale nso. */ goog.i18n.DateTimeSymbols_nso = { ERAS: ['BCE', 'CE'], ERANAMES: ['BCE', 'CE'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['Janaware', 'Feberware', 'Matšhe', 'Aporele', 'Mei', 'June', 'Julae', 'Agostose', 'Setemere', 'Oktobore', 'Nofemere', 'Disemere'], STANDALONEMONTHS: ['Janaware', 'Feberware', 'Matšhe', 'Aporele', 'Mei', 'June', 'Julae', 'Agostose', 'Setemere', 'Oktobore', 'Nofemere', 'Disemere'], SHORTMONTHS: ['Jan', 'Feb', 'Mat', 'Apo', 'Mei', 'Jun', 'Jul', 'Ago', 'Set', 'Okt', 'Nof', 'Dis'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mat', 'Apo', 'Mei', 'Jun', 'Jul', 'Ago', 'Set', 'Okt', 'Nof', 'Dis'], WEEKDAYS: ['Sontaga', 'Mosupalogo', 'Labobedi', 'Laboraro', 'Labone', 'Labohlano', 'Mokibelo'], STANDALONEWEEKDAYS: ['Sontaga', 'Mosupalogo', 'Labobedi', 'Laboraro', 'Labone', 'Labohlano', 'Mokibelo'], SHORTWEEKDAYS: ['Son', 'Mos', 'Bed', 'Rar', 'Ne', 'Hla', 'Mok'], STANDALONESHORTWEEKDAYS: ['Son', 'Mos', 'Bed', 'Rar', 'Ne', 'Hla', 'Mok'], NARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], STANDALONENARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, y MMMM dd', 'y MMMM d', 'y MMM d', 'yyyy-MM-dd'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale nso_ZA. */ goog.i18n.DateTimeSymbols_nso_ZA = goog.i18n.DateTimeSymbols_nso; /** * Date/time formatting symbols for locale nus. */ goog.i18n.DateTimeSymbols_nus = { ERAS: ['AY', 'ƐY'], ERANAMES: ['A ka̱n Yecu ni dap', 'Ɛ ca Yecu dap'], NARROWMONTHS: ['T', 'P', 'D', 'G', 'D', 'K', 'P', 'T', 'T', 'L', 'K', 'T'], STANDALONENARROWMONTHS: ['T', 'P', 'D', 'G', 'D', 'K', 'P', 'T', 'T', 'L', 'K', 'T'], MONTHS: ['Tiop thar pɛt', 'Pɛt', 'Duɔ̱ɔ̱ŋ', 'Guak', 'Duät', 'Kornyoot', 'Pay yie̱tni', 'Tho̱o̱r', 'Tɛɛr', 'Laath', 'Kur', 'Tio̱p in di̱i̱t'], STANDALONEMONTHS: ['Tiop thar pɛt', 'Pɛt', 'Duɔ̱ɔ̱ŋ', 'Guak', 'Duät', 'Kornyoot', 'Pay yie̱tni', 'Tho̱o̱r', 'Tɛɛr', 'Laath', 'Kur', 'Tio̱p in di̱i̱t'], SHORTMONTHS: ['Tiop', 'Pɛt', 'Duɔ̱ɔ̱', 'Guak', 'Duä', 'Kor', 'Pay', 'Thoo', 'Tɛɛ', 'Laa', 'Kur', 'Tid'], STANDALONESHORTMONTHS: ['Tiop', 'Pɛt', 'Duɔ̱ɔ̱', 'Guak', 'Duä', 'Kor', 'Pay', 'Thoo', 'Tɛɛ', 'Laa', 'Kur', 'Tid'], WEEKDAYS: ['Cäŋ kuɔth', 'Jiec la̱t', 'Rɛw lätni', 'Diɔ̱k lätni', 'Ŋuaan lätni', 'Dhieec lätni', 'Bäkɛl lätni'], STANDALONEWEEKDAYS: ['Cäŋ kuɔth', 'Jiec la̱t', 'Rɛw lätni', 'Diɔ̱k lätni', 'Ŋuaan lätni', 'Dhieec lätni', 'Bäkɛl lätni'], SHORTWEEKDAYS: ['Cäŋ', 'Jiec', 'Rɛw', 'Diɔ̱k', 'Ŋuaan', 'Dhieec', 'Bäkɛl'], STANDALONESHORTWEEKDAYS: ['Cäŋ', 'Jiec', 'Rɛw', 'Diɔ̱k', 'Ŋuaan', 'Dhieec', 'Bäkɛl'], NARROWWEEKDAYS: ['C', 'J', 'R', 'D', 'Ŋ', 'D', 'B'], STANDALONENARROWWEEKDAYS: ['C', 'J', 'R', 'D', 'Ŋ', 'D', 'B'], SHORTQUARTERS: ['P1', 'P2', 'P3', 'P4'], QUARTERS: ['Päth diɔk tin nhiam', 'Päth diɔk tin guurɛ', 'Päth diɔk tin wä kɔɔriɛn', 'Päth diɔk tin jiɔakdiɛn'], AMPMS: ['RW', 'TŊ'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'd/MM/yyyy'], TIMEFORMATS: ['zzzz h:mm:ss a', 'z h:mm:ss a', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale nus_SD. */ goog.i18n.DateTimeSymbols_nus_SD = goog.i18n.DateTimeSymbols_nus; /** * Date/time formatting symbols for locale nyn. */ goog.i18n.DateTimeSymbols_nyn = { ERAS: ['BC', 'AD'], ERANAMES: ['Kurisito Atakaijire', 'Kurisito Yaijire'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['Okwokubanza', 'Okwakabiri', 'Okwakashatu', 'Okwakana', 'Okwakataana', 'Okwamukaaga', 'Okwamushanju', 'Okwamunaana', 'Okwamwenda', 'Okwaikumi', 'Okwaikumi na kumwe', 'Okwaikumi na ibiri'], STANDALONEMONTHS: ['Okwokubanza', 'Okwakabiri', 'Okwakashatu', 'Okwakana', 'Okwakataana', 'Okwamukaaga', 'Okwamushanju', 'Okwamunaana', 'Okwamwenda', 'Okwaikumi', 'Okwaikumi na kumwe', 'Okwaikumi na ibiri'], SHORTMONTHS: ['KBZ', 'KBR', 'KST', 'KKN', 'KTN', 'KMK', 'KMS', 'KMN', 'KMW', 'KKM', 'KNK', 'KNB'], STANDALONESHORTMONTHS: ['KBZ', 'KBR', 'KST', 'KKN', 'KTN', 'KMK', 'KMS', 'KMN', 'KMW', 'KKM', 'KNK', 'KNB'], WEEKDAYS: ['Sande', 'Orwokubanza', 'Orwakabiri', 'Orwakashatu', 'Orwakana', 'Orwakataano', 'Orwamukaaga'], STANDALONEWEEKDAYS: ['Sande', 'Orwokubanza', 'Orwakabiri', 'Orwakashatu', 'Orwakana', 'Orwakataano', 'Orwamukaaga'], SHORTWEEKDAYS: ['SAN', 'ORK', 'OKB', 'OKS', 'OKN', 'OKT', 'OMK'], STANDALONESHORTWEEKDAYS: ['SAN', 'ORK', 'OKB', 'OKS', 'OKN', 'OKT', 'OMK'], NARROWWEEKDAYS: ['S', 'K', 'R', 'S', 'N', 'T', 'M'], STANDALONENARROWWEEKDAYS: ['S', 'K', 'R', 'S', 'N', 'T', 'M'], SHORTQUARTERS: ['K1', 'K2', 'K3', 'K4'], QUARTERS: ['KWOTA 1', 'KWOTA 2', 'KWOTA 3', 'KWOTA 4'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yyyy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale nyn_UG. */ goog.i18n.DateTimeSymbols_nyn_UG = goog.i18n.DateTimeSymbols_nyn; /** * Date/time formatting symbols for locale om. */ goog.i18n.DateTimeSymbols_om = { ERAS: ['KD', 'KB'], ERANAMES: ['KD', 'KB'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['Amajjii', 'Guraandhala', 'Bitooteessa', 'Elba', 'Caamsa', 'Waxabajjii', 'Adooleessa', 'Hagayya', 'Fuulbana', 'Onkololeessa', 'Sadaasa', 'Muddee'], STANDALONEMONTHS: ['Amajjii', 'Guraandhala', 'Bitooteessa', 'Elba', 'Caamsa', 'Waxabajjii', 'Adooleessa', 'Hagayya', 'Fuulbana', 'Onkololeessa', 'Sadaasa', 'Muddee'], SHORTMONTHS: ['Ama', 'Gur', 'Bit', 'Elb', 'Cam', 'Wax', 'Ado', 'Hag', 'Ful', 'Onk', 'Sad', 'Mud'], STANDALONESHORTMONTHS: ['Ama', 'Gur', 'Bit', 'Elb', 'Cam', 'Wax', 'Ado', 'Hag', 'Ful', 'Onk', 'Sad', 'Mud'], WEEKDAYS: ['Dilbata', 'Wiixata', 'Qibxata', 'Roobii', 'Kamiisa', 'Jimaata', 'Sanbata'], STANDALONEWEEKDAYS: ['Dilbata', 'Wiixata', 'Qibxata', 'Roobii', 'Kamiisa', 'Jimaata', 'Sanbata'], SHORTWEEKDAYS: ['Dil', 'Wix', 'Qib', 'Rob', 'Kam', 'Jim', 'San'], STANDALONESHORTWEEKDAYS: ['Dil', 'Wix', 'Qib', 'Rob', 'Kam', 'Jim', 'San'], NARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], AMPMS: ['WD', 'WB'], DATEFORMATS: ['EEEE, MMMM d, y', 'dd MMMM y', 'dd-MMM-y', 'dd/MM/yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale om_ET. */ goog.i18n.DateTimeSymbols_om_ET = goog.i18n.DateTimeSymbols_om; /** * Date/time formatting symbols for locale om_KE. */ goog.i18n.DateTimeSymbols_om_KE = goog.i18n.DateTimeSymbols_om; /** * Date/time formatting symbols for locale or_IN. */ goog.i18n.DateTimeSymbols_or_IN = { ERAS: ['BCE', 'CE'], ERANAMES: ['BCE', 'CE'], NARROWMONTHS: ['ଜା', 'ଫେ', 'ମା', 'ଅ', 'ମେ', 'ଜୁ', 'ଜୁ', 'ଅ', 'ସେ', 'ଅ', 'ନ', 'ଡି'], STANDALONENARROWMONTHS: ['ଜା', 'ଫେ', 'ମା', 'ଅ', 'ମେ', 'ଜୁ', 'ଜୁ', 'ଅ', 'ସେ', 'ଅ', 'ନ', 'ଡି'], MONTHS: ['ଜାନୁଆରୀ', 'ଫେବ୍ରୁୟାରୀ', 'ମାର୍ଚ୍ଚ', 'ଅପ୍ରେଲ', 'ମେ', 'ଜୁନ', 'ଜୁଲାଇ', 'ଅଗଷ୍ଟ', 'ସେପ୍ଟେମ୍ବର', 'ଅକ୍ଟୋବର', 'ନଭେମ୍ବର', 'ଡିସେମ୍ବର'], STANDALONEMONTHS: ['ଜାନୁଆରୀ', 'ଫେବ୍ରୁୟାରୀ', 'ମାର୍ଚ୍ଚ', 'ଅପ୍ରେଲ', 'ମେ', 'ଜୁନ', 'ଜୁଲାଇ', 'ଅଗଷ୍ଟ', 'ସେପ୍ଟେମ୍ବର', 'ଅକ୍ଟୋବର', 'ନଭେମ୍ବର', 'ଡିସେମ୍ବର'], SHORTMONTHS: ['ଜାନୁଆରୀ', 'ଫେବ୍ରୁୟାରୀ', 'ମାର୍ଚ୍ଚ', 'ଅପ୍ରେଲ', 'ମେ', 'ଜୁନ', 'ଜୁଲାଇ', 'ଅଗଷ୍ଟ', 'ସେପ୍ଟେମ୍ବର', 'ଅକ୍ଟୋବର', 'ନଭେମ୍ବର', 'ଡିସେମ୍ବର'], STANDALONESHORTMONTHS: ['ଜାନୁଆରୀ', 'ଫେବ୍ରୁୟାରୀ', 'ମାର୍ଚ୍ଚ', 'ଅପ୍ରେଲ', 'ମେ', 'ଜୁନ', 'ଜୁଲାଇ', 'ଅଗଷ୍ଟ', 'ସେପ୍ଟେମ୍ବର', 'ଅକ୍ଟୋବର', 'ନଭେମ୍ବର', 'ଡିସେମ୍ବର'], WEEKDAYS: ['ରବିବାର', 'ସୋମବାର', 'ମଙ୍ଗଳବାର', 'ବୁଧବାର', 'ଗୁରୁବାର', 'ଶୁକ୍ରବାର', 'ଶନିବାର'], STANDALONEWEEKDAYS: ['ରବିବାର', 'ସୋମବାର', 'ମଙ୍ଗଳବାର', 'ବୁଧବାର', 'ଗୁରୁବାର', 'ଶୁକ୍ରବାର', 'ଶନିବାର'], SHORTWEEKDAYS: ['ରବି', 'ସୋମ', 'ମଙ୍ଗଳ', 'ବୁଧ', 'ଗୁରୁ', 'ଶୁକ୍ର', 'ଶନି'], STANDALONESHORTWEEKDAYS: ['ରବି', 'ସୋମ', 'ମଙ୍ଗଳ', 'ବୁଧ', 'ଗୁରୁ', 'ଶୁକ୍ର', 'ଶନି'], NARROWWEEKDAYS: ['ର', 'ସୋ', 'ମ', 'ବୁ', 'ଗୁ', 'ଶୁ', 'ଶ'], STANDALONENARROWWEEKDAYS: ['ର', 'ସୋ', 'ମ', 'ବୁ', 'ଗୁ', 'ଶୁ', 'ଶ'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], AMPMS: ['am', 'pm'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'd-M-yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [6, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale pa. */ goog.i18n.DateTimeSymbols_pa = { ERAS: ['ਈ. ਪੂ.', 'ਸਾਲ'], ERANAMES: ['ਈ. ਪੂ.', 'ਸਾਲ'], NARROWMONTHS: ['ਜ', 'ਫ', 'ਮਾ', 'ਅ', 'ਮ', 'ਜੂ', 'ਜੁ', 'ਅ', 'ਸ', 'ਅ', 'ਨ', 'ਦ'], STANDALONENARROWMONTHS: ['ਜ', 'ਫ', 'ਮਾ', 'ਅ', 'ਮ', 'ਜੂ', 'ਜੁ', 'ਅ', 'ਸ', 'ਅ', 'ਨ', 'ਦ'], MONTHS: ['ਜਨਵਰੀ', 'ਫ਼ਰਵਰੀ', 'ਮਾਰਚ', 'ਅਪ੍ਰੈਲ', 'ਮਈ', 'ਜੂਨ', 'ਜੁਲਾਈ', 'ਅਗਸਤ', 'ਸਤੰਬਰ', 'ਅਕਤੂਬਰ', 'ਨਵੰਬਰ', 'ਦਸੰਬਰ'], STANDALONEMONTHS: ['ਜਨਵਰੀ', 'ਫ਼ਰਵਰੀ', 'ਮਾਰਚ', 'ਅਪ੍ਰੈਲ', 'ਮਈ', 'ਜੂਨ', 'ਜੁਲਾਈ', 'ਅਗਸਤ', 'ਸਤੰਬਰ', 'ਅਕਤੂਬਰ', 'ਨਵੰਬਰ', 'ਦਸੰਬਰ'], SHORTMONTHS: ['ਜਨਵਰੀ', 'ਫ਼ਰਵਰੀ', 'ਮਾਰਚ', 'ਅਪ੍ਰੈਲ', 'ਮਈ', 'ਜੂਨ', 'ਜੁਲਾਈ', 'ਅਗਸਤ', 'ਸਤੰਬਰ', 'ਅਕਤੂਬਰ', 'ਨਵੰਬਰ', 'ਦਸੰਬਰ'], STANDALONESHORTMONTHS: ['ਜਨਵਰੀ', 'ਫ਼ਰਵਰੀ', 'ਮਾਰਚ', 'ਅਪ੍ਰੈਲ', 'ਮਈ', 'ਜੂਨ', 'ਜੁਲਾਈ', 'ਅਗਸਤ', 'ਸਤੰਬਰ', 'ਅਕਤੂਬਰ', 'ਨਵੰਬਰ', 'ਦਸੰਬਰ'], WEEKDAYS: ['ਐਤਵਾਰ', 'ਸੋਮਵਾਰ', 'ਮੰਗਲਵਾਰ', 'ਬੁਧਵਾਰ', 'ਵੀਰਵਾਰ', 'ਸ਼ੁੱਕਰਵਾਰ', 'ਸ਼ਨੀਚਰਵਾਰ'], STANDALONEWEEKDAYS: ['ਐਤਵਾਰ', 'ਸੋਮਵਾਰ', 'ਮੰਗਲਵਾਰ', 'ਬੁਧਵਾਰ', 'ਵੀਰਵਾਰ', 'ਸ਼ੁੱਕਰਵਾਰ', 'ਸ਼ਨੀਚਰਵਾਰ'], SHORTWEEKDAYS: ['ਐਤ.', 'ਸੋਮ.', 'ਮੰਗਲ.', 'ਬੁਧ.', 'ਵੀਰ.', 'ਸ਼ੁਕਰ.', 'ਸ਼ਨੀ.'], STANDALONESHORTWEEKDAYS: ['ਐਤ.', 'ਸੋਮ.', 'ਮੰਗਲ.', 'ਬੁਧ.', 'ਵੀਰ.', 'ਸ਼ੁਕਰ.', 'ਸ਼ਨੀ.'], NARROWWEEKDAYS: ['ਐ', 'ਸੋ', 'ਮੰ', 'ਬੁੱ', 'ਵੀ', 'ਸ਼ੁੱ', 'ਸ਼'], STANDALONENARROWWEEKDAYS: ['ਐ', 'ਸੋ', 'ਮੰ', 'ਬੁੱ', 'ਵੀ', 'ਸ਼ੁੱ', 'ਸ਼'], SHORTQUARTERS: ['ਇਕ ਚੌਥਾਈ', 'ਅੱਧਾ', 'ਪੌਣਾ', 'ਪੂਰਾ'], QUARTERS: ['ਇਕ ਚੌਥਾਈ', 'ਅੱਧਾ', 'ਪੌਣਾ', 'ਪੂਰਾ'], AMPMS: ['ਪੂਰਵ ਦੁਪਹਿਰ', 'ਬਾਅਦ ਦੁਪਹਿਰ'], DATEFORMATS: ['EEEE, dd MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yyyy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [6, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale pa_Arab. */ goog.i18n.DateTimeSymbols_pa_Arab = { ZERODIGIT: 0x06F0, ERAS: ['ਈ. ਪੂ.', 'ਸਾਲ'], ERANAMES: ['ايساپورو', 'سں'], NARROWMONTHS: ['ਜ', 'ਫ', 'ਮਾ', 'ਅ', 'ਮ', 'ਜੂ', 'ਜੁ', 'ਅ', 'ਸ', 'ਅ', 'ਨ', 'ਦ'], STANDALONENARROWMONTHS: ['ਜ', 'ਫ', 'ਮਾ', 'ਅ', 'ਮ', 'ਜੂ', 'ਜੁ', 'ਅ', 'ਸ', 'ਅ', 'ਨ', 'ਦ'], MONTHS: ['جنوری', 'فروری', 'مارچ', 'اپریل', 'مئ', 'جون', 'جولائی', 'اگست', 'ستمبر', 'اکتوبر', 'نومبر', 'دسمبر'], STANDALONEMONTHS: ['ਜਨਵਰੀ', 'ਫ਼ਰਵਰੀ', 'ਮਾਰਚ', 'ਅਪ੍ਰੈਲ', 'ਮਈ', 'ਜੂਨ', 'ਜੁਲਾਈ', 'ਅਗਸਤ', 'ਸਤੰਬਰ', 'ਅਕਤੂਬਰ', 'ਨਵੰਬਰ', 'ਦਸੰਬਰ'], SHORTMONTHS: ['جنوری', 'فروری', 'مارچ', 'اپریل', 'ਮਈ', 'جون', 'جولائی', 'اگست', 'ستمبر', 'اکتوبر', 'نومبر', 'دسمبر'], STANDALONESHORTMONTHS: ['جنوری', 'فروری', 'مارچ', 'اپریل', 'ਮਈ', 'جون', 'جولائی', 'اگست', 'ستمبر', 'اکتوبر', 'نومبر', 'دسمبر'], WEEKDAYS: ['اتوار', 'پیر', 'منگل', 'بُدھ', 'جمعرات', 'جمعہ', 'ہفتہ'], STANDALONEWEEKDAYS: ['ਐਤਵਾਰ', 'ਸੋਮਵਾਰ', 'ਮੰਗਲਵਾਰ', 'ਬੁਧਵਾਰ', 'ਵੀਰਵਾਰ', 'ਸ਼ੁੱਕਰਵਾਰ', 'ਸ਼ਨੀਚਰਵਾਰ'], SHORTWEEKDAYS: ['ਐਤ.', 'ਸੋਮ.', 'ਮੰਗਲ.', 'ਬੁਧ.', 'ਵੀਰ.', 'ਸ਼ੁਕਰ.', 'ਸ਼ਨੀ.'], STANDALONESHORTWEEKDAYS: ['ਐਤ.', 'ਸੋਮ.', 'ਮੰਗਲ.', 'ਬੁਧ.', 'ਵੀਰ.', 'ਸ਼ੁਕਰ.', 'ਸ਼ਨੀ.'], NARROWWEEKDAYS: ['ਐ', 'ਸੋ', 'ਮੰ', 'ਬੁੱ', 'ਵੀ', 'ਸ਼ੁੱ', 'ਸ਼'], STANDALONENARROWWEEKDAYS: ['ਐ', 'ਸੋ', 'ਮੰ', 'ਬੁੱ', 'ਵੀ', 'ਸ਼ੁੱ', 'ਸ਼'], SHORTQUARTERS: ['چوتھاي پہلاں', 'چوتھاي دوجا', 'چوتھاي تيجا', 'چوتھاي چوتھا'], QUARTERS: ['چوتھاي پہلاں', 'چوتھاي دوجا', 'چوتھاي تيجا', 'چوتھاي چوتھا'], AMPMS: ['ਪੂਰਵ ਦੁਪਹਿਰ', 'ਬਾਅਦ ਦੁਪਹਿਰ'], DATEFORMATS: ['EEEE, dd MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yyyy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale pa_Arab_PK. */ goog.i18n.DateTimeSymbols_pa_Arab_PK = goog.i18n.DateTimeSymbols_pa_Arab; /** * Date/time formatting symbols for locale pa_Guru. */ goog.i18n.DateTimeSymbols_pa_Guru = goog.i18n.DateTimeSymbols_pa; /** * Date/time formatting symbols for locale pa_Guru_IN. */ goog.i18n.DateTimeSymbols_pa_Guru_IN = goog.i18n.DateTimeSymbols_pa; /** * Date/time formatting symbols for locale pl_PL. */ goog.i18n.DateTimeSymbols_pl_PL = { ERAS: ['p.n.e.', 'n.e.'], ERANAMES: ['p.n.e.', 'n.e.'], NARROWMONTHS: ['s', 'l', 'm', 'k', 'm', 'c', 'l', 's', 'w', 'p', 'l', 'g'], STANDALONENARROWMONTHS: ['s', 'l', 'm', 'k', 'm', 'c', 'l', 's', 'w', 'p', 'l', 'g'], MONTHS: ['stycznia', 'lutego', 'marca', 'kwietnia', 'maja', 'czerwca', 'lipca', 'sierpnia', 'września', 'października', 'listopada', 'grudnia'], STANDALONEMONTHS: ['styczeń', 'luty', 'marzec', 'kwiecień', 'maj', 'czerwiec', 'lipiec', 'sierpień', 'wrzesień', 'październik', 'listopad', 'grudzień'], SHORTMONTHS: ['sty', 'lut', 'mar', 'kwi', 'maj', 'cze', 'lip', 'sie', 'wrz', 'paź', 'lis', 'gru'], STANDALONESHORTMONTHS: ['sty', 'lut', 'mar', 'kwi', 'maj', 'cze', 'lip', 'sie', 'wrz', 'paź', 'lis', 'gru'], WEEKDAYS: ['niedziela', 'poniedziałek', 'wtorek', 'środa', 'czwartek', 'piątek', 'sobota'], STANDALONEWEEKDAYS: ['niedziela', 'poniedziałek', 'wtorek', 'środa', 'czwartek', 'piątek', 'sobota'], SHORTWEEKDAYS: ['niedz.', 'pon.', 'wt.', 'śr.', 'czw.', 'pt.', 'sob.'], STANDALONESHORTWEEKDAYS: ['niedz.', 'pon.', 'wt.', 'śr.', 'czw.', 'pt.', 'sob.'], NARROWWEEKDAYS: ['N', 'P', 'W', 'Ś', 'C', 'P', 'S'], STANDALONENARROWWEEKDAYS: ['N', 'P', 'W', 'Ś', 'C', 'P', 'S'], SHORTQUARTERS: ['K1', 'K2', 'K3', 'K4'], QUARTERS: ['I kwartał', 'II kwartał', 'III kwartał', 'IV kwartał'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'dd.MM.yyyy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale ps. */ goog.i18n.DateTimeSymbols_ps = { ZERODIGIT: 0x06F0, ERAS: ['ق.م.', 'م.'], ERANAMES: ['ق.م.', 'م.'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['جنوري', 'فبروري', 'مارچ', 'اپریل', 'می', 'جون', 'جولای', 'اګست', 'سپتمبر', 'اکتوبر', 'نومبر', 'دسمبر'], STANDALONEMONTHS: ['جنوري', 'فبروري', 'مارچ', 'اپریل', 'می', 'جون', 'جولای', 'اګست', 'سپتمبر', 'اکتوبر', 'نومبر', 'دسمبر'], SHORTMONTHS: ['جنوري', 'فبروري', 'مارچ', 'اپریل', 'می', 'جون', 'جولای', 'اګست', 'سپتمبر', 'اکتوبر', 'نومبر', 'دسمبر'], STANDALONESHORTMONTHS: ['جنوري', 'فبروري', 'مارچ', 'اپریل', 'می', 'جون', 'جولای', 'اګست', 'سپتمبر', 'اکتوبر', 'نومبر', 'دسمبر'], WEEKDAYS: ['یکشنبه', 'دوشنبه', 'سه‌شنبه', 'چهارشنبه', 'پنجشنبه', 'جمعه', 'شنبه'], STANDALONEWEEKDAYS: ['یکشنبه', 'دوشنبه', 'سه‌شنبه', 'چهارشنبه', 'پنجشنبه', 'جمعه', 'شنبه'], SHORTWEEKDAYS: ['یکشنبه', 'دوشنبه', 'سه‌شنبه', 'چهارشنبه', 'پنجشنبه', 'جمعه', 'شنبه'], STANDALONESHORTWEEKDAYS: ['یکشنبه', 'دوشنبه', 'سه‌شنبه', 'چهارشنبه', 'پنجشنبه', 'جمعه', 'شنبه'], NARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], STANDALONENARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], AMPMS: ['غ.م.', 'غ.و.'], DATEFORMATS: ['EEEE د y د MMMM d', 'د y د MMMM d', 'd MMM y', 'yyyy/M/d'], TIMEFORMATS: ['H:mm:ss (zzzz)', 'H:mm:ss (z)', 'H:mm:ss', 'H:mm'], FIRSTDAYOFWEEK: 5, WEEKENDRANGE: [3, 4], FIRSTWEEKCUTOFFDAY: 4 }; /** * Date/time formatting symbols for locale ps_AF. */ goog.i18n.DateTimeSymbols_ps_AF = goog.i18n.DateTimeSymbols_ps; /** * Date/time formatting symbols for locale pt_AO. */ goog.i18n.DateTimeSymbols_pt_AO = { ERAS: ['a.C.', 'd.C.'], ERANAMES: ['Antes de Cristo', 'Ano do Senhor'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['janeiro', 'fevereiro', 'março', 'abril', 'maio', 'junho', 'julho', 'agosto', 'setembro', 'outubro', 'novembro', 'dezembro'], STANDALONEMONTHS: ['janeiro', 'fevereiro', 'março', 'abril', 'maio', 'junho', 'julho', 'agosto', 'setembro', 'outubro', 'novembro', 'dezembro'], SHORTMONTHS: ['jan', 'fev', 'mar', 'abr', 'mai', 'jun', 'jul', 'ago', 'set', 'out', 'nov', 'dez'], STANDALONESHORTMONTHS: ['jan', 'fev', 'mar', 'abr', 'mai', 'jun', 'jul', 'ago', 'set', 'out', 'nov', 'dez'], WEEKDAYS: ['domingo', 'segunda-feira', 'terça-feira', 'quarta-feira', 'quinta-feira', 'sexta-feira', 'sábado'], STANDALONEWEEKDAYS: ['domingo', 'segunda-feira', 'terça-feira', 'quarta-feira', 'quinta-feira', 'sexta-feira', 'sábado'], SHORTWEEKDAYS: ['dom', 'seg', 'ter', 'qua', 'qui', 'sex', 'sáb'], STANDALONESHORTWEEKDAYS: ['dom', 'seg', 'ter', 'qua', 'qui', 'sex', 'sáb'], NARROWWEEKDAYS: ['D', 'S', 'T', 'Q', 'Q', 'S', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'S', 'T', 'Q', 'Q', 'S', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1º trimestre', '2º trimestre', '3º trimestre', '4º trimestre'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, d \'de\' MMMM \'de\' y', 'd \'de\' MMMM \'de\' y', 'dd/MM/yyyy', 'dd/MM/yy'], TIMEFORMATS: ['HH\'h\'mm\'min\'ss\'s\' zzzz', 'HH\'h\'mm\'min\'ss\'s\' z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale pt_GW. */ goog.i18n.DateTimeSymbols_pt_GW = { ERAS: ['a.C.', 'd.C.'], ERANAMES: ['Antes de Cristo', 'Ano do Senhor'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['janeiro', 'fevereiro', 'março', 'abril', 'maio', 'junho', 'julho', 'agosto', 'setembro', 'outubro', 'novembro', 'dezembro'], STANDALONEMONTHS: ['janeiro', 'fevereiro', 'março', 'abril', 'maio', 'junho', 'julho', 'agosto', 'setembro', 'outubro', 'novembro', 'dezembro'], SHORTMONTHS: ['jan', 'fev', 'mar', 'abr', 'mai', 'jun', 'jul', 'ago', 'set', 'out', 'nov', 'dez'], STANDALONESHORTMONTHS: ['jan', 'fev', 'mar', 'abr', 'mai', 'jun', 'jul', 'ago', 'set', 'out', 'nov', 'dez'], WEEKDAYS: ['domingo', 'segunda-feira', 'terça-feira', 'quarta-feira', 'quinta-feira', 'sexta-feira', 'sábado'], STANDALONEWEEKDAYS: ['domingo', 'segunda-feira', 'terça-feira', 'quarta-feira', 'quinta-feira', 'sexta-feira', 'sábado'], SHORTWEEKDAYS: ['dom', 'seg', 'ter', 'qua', 'qui', 'sex', 'sáb'], STANDALONESHORTWEEKDAYS: ['dom', 'seg', 'ter', 'qua', 'qui', 'sex', 'sáb'], NARROWWEEKDAYS: ['D', 'S', 'T', 'Q', 'Q', 'S', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'S', 'T', 'Q', 'Q', 'S', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1º trimestre', '2º trimestre', '3º trimestre', '4º trimestre'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, d \'de\' MMMM \'de\' y', 'd \'de\' MMMM \'de\' y', 'dd/MM/yyyy', 'dd/MM/yy'], TIMEFORMATS: ['HH\'h\'mm\'min\'ss\'s\' zzzz', 'HH\'h\'mm\'min\'ss\'s\' z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale pt_MZ. */ goog.i18n.DateTimeSymbols_pt_MZ = { ERAS: ['a.C.', 'd.C.'], ERANAMES: ['Antes de Cristo', 'Ano do Senhor'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['janeiro', 'fevereiro', 'março', 'abril', 'maio', 'junho', 'julho', 'agosto', 'setembro', 'outubro', 'novembro', 'dezembro'], STANDALONEMONTHS: ['janeiro', 'fevereiro', 'março', 'abril', 'maio', 'junho', 'julho', 'agosto', 'setembro', 'outubro', 'novembro', 'dezembro'], SHORTMONTHS: ['jan', 'fev', 'mar', 'abr', 'mai', 'jun', 'jul', 'ago', 'set', 'out', 'nov', 'dez'], STANDALONESHORTMONTHS: ['jan', 'fev', 'mar', 'abr', 'mai', 'jun', 'jul', 'ago', 'set', 'out', 'nov', 'dez'], WEEKDAYS: ['domingo', 'segunda-feira', 'terça-feira', 'quarta-feira', 'quinta-feira', 'sexta-feira', 'sábado'], STANDALONEWEEKDAYS: ['domingo', 'segunda-feira', 'terça-feira', 'quarta-feira', 'quinta-feira', 'sexta-feira', 'sábado'], SHORTWEEKDAYS: ['dom', 'seg', 'ter', 'qua', 'qui', 'sex', 'sáb'], STANDALONESHORTWEEKDAYS: ['dom', 'seg', 'ter', 'qua', 'qui', 'sex', 'sáb'], NARROWWEEKDAYS: ['D', 'S', 'T', 'Q', 'Q', 'S', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'S', 'T', 'Q', 'Q', 'S', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1º trimestre', '2º trimestre', '3º trimestre', '4º trimestre'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, d \'de\' MMMM \'de\' y', 'd \'de\' MMMM \'de\' y', 'dd/MM/yyyy', 'dd/MM/yy'], TIMEFORMATS: ['HH\'h\'mm\'min\'ss\'s\' zzzz', 'HH\'h\'mm\'min\'ss\'s\' z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale pt_ST. */ goog.i18n.DateTimeSymbols_pt_ST = { ERAS: ['a.C.', 'd.C.'], ERANAMES: ['Antes de Cristo', 'Ano do Senhor'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['janeiro', 'fevereiro', 'março', 'abril', 'maio', 'junho', 'julho', 'agosto', 'setembro', 'outubro', 'novembro', 'dezembro'], STANDALONEMONTHS: ['janeiro', 'fevereiro', 'março', 'abril', 'maio', 'junho', 'julho', 'agosto', 'setembro', 'outubro', 'novembro', 'dezembro'], SHORTMONTHS: ['jan', 'fev', 'mar', 'abr', 'mai', 'jun', 'jul', 'ago', 'set', 'out', 'nov', 'dez'], STANDALONESHORTMONTHS: ['jan', 'fev', 'mar', 'abr', 'mai', 'jun', 'jul', 'ago', 'set', 'out', 'nov', 'dez'], WEEKDAYS: ['domingo', 'segunda-feira', 'terça-feira', 'quarta-feira', 'quinta-feira', 'sexta-feira', 'sábado'], STANDALONEWEEKDAYS: ['domingo', 'segunda-feira', 'terça-feira', 'quarta-feira', 'quinta-feira', 'sexta-feira', 'sábado'], SHORTWEEKDAYS: ['dom', 'seg', 'ter', 'qua', 'qui', 'sex', 'sáb'], STANDALONESHORTWEEKDAYS: ['dom', 'seg', 'ter', 'qua', 'qui', 'sex', 'sáb'], NARROWWEEKDAYS: ['D', 'S', 'T', 'Q', 'Q', 'S', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'S', 'T', 'Q', 'Q', 'S', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1º trimestre', '2º trimestre', '3º trimestre', '4º trimestre'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, d \'de\' MMMM \'de\' y', 'd \'de\' MMMM \'de\' y', 'dd/MM/yyyy', 'dd/MM/yy'], TIMEFORMATS: ['HH\'h\'mm\'min\'ss\'s\' zzzz', 'HH\'h\'mm\'min\'ss\'s\' z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale rm. */ goog.i18n.DateTimeSymbols_rm = { ERAS: ['av. Cr.', 's. Cr.'], ERANAMES: ['avant Cristus', 'suenter Cristus'], NARROWMONTHS: ['S', 'F', 'M', 'A', 'M', 'Z', 'F', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['S', 'F', 'M', 'A', 'M', 'Z', 'F', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['schaner', 'favrer', 'mars', 'avrigl', 'matg', 'zercladur', 'fanadur', 'avust', 'settember', 'october', 'november', 'december'], STANDALONEMONTHS: ['schaner', 'favrer', 'mars', 'avrigl', 'matg', 'zercladur', 'fanadur', 'avust', 'settember', 'october', 'november', 'december'], SHORTMONTHS: ['schan.', 'favr.', 'mars', 'avr.', 'matg', 'zercl.', 'fan.', 'avust', 'sett.', 'oct.', 'nov.', 'dec.'], STANDALONESHORTMONTHS: ['schan.', 'favr.', 'mars', 'avr.', 'matg', 'zercl.', 'fan.', 'avust', 'sett.', 'oct.', 'nov.', 'dec.'], WEEKDAYS: ['dumengia', 'glindesdi', 'mardi', 'mesemna', 'gievgia', 'venderdi', 'sonda'], STANDALONEWEEKDAYS: ['dumengia', 'glindesdi', 'mardi', 'mesemna', 'gievgia', 'venderdi', 'sonda'], SHORTWEEKDAYS: ['du', 'gli', 'ma', 'me', 'gie', 've', 'so'], STANDALONESHORTWEEKDAYS: ['du', 'gli', 'ma', 'me', 'gie', 've', 'so'], NARROWWEEKDAYS: ['D', 'G', 'M', 'M', 'G', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'G', 'M', 'M', 'G', 'V', 'S'], SHORTQUARTERS: ['1. quartal', '2. quartal', '3. quartal', '4. quartal'], QUARTERS: ['1. quartal', '2. quartal', '3. quartal', '4. quartal'], AMPMS: ['am', 'sm'], DATEFORMATS: ['EEEE, \'ils\' d \'da\' MMMM y', 'd \'da\' MMMM y', 'dd-MM-yyyy', 'dd-MM-yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale rm_CH. */ goog.i18n.DateTimeSymbols_rm_CH = goog.i18n.DateTimeSymbols_rm; /** * Date/time formatting symbols for locale rn. */ goog.i18n.DateTimeSymbols_rn = { ERAS: ['Mb.Y.', 'Ny.Y'], ERANAMES: ['Mbere ya Yezu', 'Nyuma ya Yezu'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['Nzero', 'Ruhuhuma', 'Ntwarante', 'Ndamukiza', 'Rusama', 'Ruheshi', 'Mukakaro', 'Nyandagaro', 'Nyakanga', 'Gitugutu', 'Munyonyo', 'Kigarama'], STANDALONEMONTHS: ['Nzero', 'Ruhuhuma', 'Ntwarante', 'Ndamukiza', 'Rusama', 'Ruheshi', 'Mukakaro', 'Nyandagaro', 'Nyakanga', 'Gitugutu', 'Munyonyo', 'Kigarama'], SHORTMONTHS: ['Mut.', 'Gas.', 'Wer.', 'Mat.', 'Gic.', 'Kam.', 'Nya.', 'Kan.', 'Nze.', 'Ukw.', 'Ugu.', 'Uku.'], STANDALONESHORTMONTHS: ['Mut.', 'Gas.', 'Wer.', 'Mat.', 'Gic.', 'Kam.', 'Nya.', 'Kan.', 'Nze.', 'Ukw.', 'Ugu.', 'Uku.'], WEEKDAYS: ['Ku w\'indwi', 'Ku wa mbere', 'Ku wa kabiri', 'Ku wa gatatu', 'Ku wa kane', 'Ku wa gatanu', 'Ku wa gatandatu'], STANDALONEWEEKDAYS: ['Ku w\'indwi', 'Ku wa mbere', 'Ku wa kabiri', 'Ku wa gatatu', 'Ku wa kane', 'Ku wa gatanu', 'Ku wa gatandatu'], SHORTWEEKDAYS: ['cu.', 'mbe.', 'kab.', 'gtu.', 'kan.', 'gnu.', 'gnd.'], STANDALONESHORTWEEKDAYS: ['cu.', 'mbe.', 'kab.', 'gtu.', 'kan.', 'gnu.', 'gnd.'], NARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], STANDALONENARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], SHORTQUARTERS: ['I1', 'I2', 'I3', 'I4'], QUARTERS: ['Igice ca mbere c\'umwaka', 'Igice ca kabiri c\'umwaka', 'Igice ca gatatu c\'umwaka', 'Igice ca kane c\'umwaka'], AMPMS: ['Z.MU.', 'Z.MW.'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'd/M/yyyy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale rn_BI. */ goog.i18n.DateTimeSymbols_rn_BI = goog.i18n.DateTimeSymbols_rn; /** * Date/time formatting symbols for locale ro_MD. */ goog.i18n.DateTimeSymbols_ro_MD = { ERAS: ['î.Hr.', 'd.Hr.'], ERANAMES: ['înainte de Hristos', 'după Hristos'], NARROWMONTHS: ['I', 'F', 'M', 'A', 'M', 'I', 'I', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['I', 'F', 'M', 'A', 'M', 'I', 'I', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['ianuarie', 'februarie', 'martie', 'aprilie', 'mai', 'iunie', 'iulie', 'august', 'septembrie', 'octombrie', 'noiembrie', 'decembrie'], STANDALONEMONTHS: ['ianuarie', 'februarie', 'martie', 'aprilie', 'mai', 'iunie', 'iulie', 'august', 'septembrie', 'octombrie', 'noiembrie', 'decembrie'], SHORTMONTHS: ['ian.', 'feb.', 'mar.', 'apr.', 'mai', 'iun.', 'iul.', 'aug.', 'sept.', 'oct.', 'nov.', 'dec.'], STANDALONESHORTMONTHS: ['ian.', 'feb.', 'mar.', 'apr.', 'mai', 'iun.', 'iul.', 'aug.', 'sept.', 'oct.', 'nov.', 'dec.'], WEEKDAYS: ['duminică', 'luni', 'marți', 'miercuri', 'joi', 'vineri', 'sâmbătă'], STANDALONEWEEKDAYS: ['duminică', 'luni', 'marți', 'miercuri', 'joi', 'vineri', 'sâmbătă'], SHORTWEEKDAYS: ['Du', 'Lu', 'Ma', 'Mi', 'Jo', 'Vi', 'Sâ'], STANDALONESHORTWEEKDAYS: ['Du', 'Lu', 'Ma', 'Mi', 'Jo', 'Vi', 'Sâ'], NARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], SHORTQUARTERS: ['trim. I', 'trim. II', 'trim. III', 'trim. IV'], QUARTERS: ['trimestrul I', 'trimestrul al II-lea', 'trimestrul al III-lea', 'trimestrul al IV-lea'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'dd.MM.yyyy', 'dd.MM.yyyy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale ro_RO. */ goog.i18n.DateTimeSymbols_ro_RO = { ERAS: ['î.Hr.', 'd.Hr.'], ERANAMES: ['înainte de Hristos', 'după Hristos'], NARROWMONTHS: ['I', 'F', 'M', 'A', 'M', 'I', 'I', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['I', 'F', 'M', 'A', 'M', 'I', 'I', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['ianuarie', 'februarie', 'martie', 'aprilie', 'mai', 'iunie', 'iulie', 'august', 'septembrie', 'octombrie', 'noiembrie', 'decembrie'], STANDALONEMONTHS: ['ianuarie', 'februarie', 'martie', 'aprilie', 'mai', 'iunie', 'iulie', 'august', 'septembrie', 'octombrie', 'noiembrie', 'decembrie'], SHORTMONTHS: ['ian.', 'feb.', 'mar.', 'apr.', 'mai', 'iun.', 'iul.', 'aug.', 'sept.', 'oct.', 'nov.', 'dec.'], STANDALONESHORTMONTHS: ['ian.', 'feb.', 'mar.', 'apr.', 'mai', 'iun.', 'iul.', 'aug.', 'sept.', 'oct.', 'nov.', 'dec.'], WEEKDAYS: ['duminică', 'luni', 'marți', 'miercuri', 'joi', 'vineri', 'sâmbătă'], STANDALONEWEEKDAYS: ['duminică', 'luni', 'marți', 'miercuri', 'joi', 'vineri', 'sâmbătă'], SHORTWEEKDAYS: ['Du', 'Lu', 'Ma', 'Mi', 'Jo', 'Vi', 'Sâ'], STANDALONESHORTWEEKDAYS: ['Du', 'Lu', 'Ma', 'Mi', 'Jo', 'Vi', 'Sâ'], NARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], SHORTQUARTERS: ['trim. I', 'trim. II', 'trim. III', 'trim. IV'], QUARTERS: ['trimestrul I', 'trimestrul al II-lea', 'trimestrul al III-lea', 'trimestrul al IV-lea'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'dd.MM.yyyy', 'dd.MM.yyyy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale rof. */ goog.i18n.DateTimeSymbols_rof = { ERAS: ['KM', 'BM'], ERANAMES: ['Kabla ya Mayesu', 'Baada ya Mayesu'], NARROWMONTHS: ['K', 'K', 'K', 'K', 'T', 'S', 'S', 'N', 'T', 'I', 'I', 'I'], STANDALONENARROWMONTHS: ['K', 'K', 'K', 'K', 'T', 'S', 'S', 'N', 'T', 'I', 'I', 'I'], MONTHS: ['Mweri wa kwanza', 'Mweri wa kaili', 'Mweri wa katatu', 'Mweri wa kaana', 'Mweri wa tanu', 'Mweri wa sita', 'Mweri wa saba', 'Mweri wa nane', 'Mweri wa tisa', 'Mweri wa ikumi', 'Mweri wa ikumi na moja', 'Mweri wa ikumi na mbili'], STANDALONEMONTHS: ['Mweri wa kwanza', 'Mweri wa kaili', 'Mweri wa katatu', 'Mweri wa kaana', 'Mweri wa tanu', 'Mweri wa sita', 'Mweri wa saba', 'Mweri wa nane', 'Mweri wa tisa', 'Mweri wa ikumi', 'Mweri wa ikumi na moja', 'Mweri wa ikumi na mbili'], SHORTMONTHS: ['M1', 'M2', 'M3', 'M4', 'M5', 'M6', 'M7', 'M8', 'M9', 'M10', 'M11', 'M12'], STANDALONESHORTMONTHS: ['M1', 'M2', 'M3', 'M4', 'M5', 'M6', 'M7', 'M8', 'M9', 'M10', 'M11', 'M12'], WEEKDAYS: ['Ijumapili', 'Ijumatatu', 'Ijumanne', 'Ijumatano', 'Alhamisi', 'Ijumaa', 'Ijumamosi'], STANDALONEWEEKDAYS: ['Ijumapili', 'Ijumatatu', 'Ijumanne', 'Ijumatano', 'Alhamisi', 'Ijumaa', 'Ijumamosi'], SHORTWEEKDAYS: ['Ijp', 'Ijt', 'Ijn', 'Ijtn', 'Alh', 'Iju', 'Ijm'], STANDALONESHORTWEEKDAYS: ['Ijp', 'Ijt', 'Ijn', 'Ijtn', 'Alh', 'Iju', 'Ijm'], NARROWWEEKDAYS: ['2', '3', '4', '5', '6', '7', '1'], STANDALONENARROWWEEKDAYS: ['2', '3', '4', '5', '6', '7', '1'], SHORTQUARTERS: ['R1', 'R2', 'R3', 'R4'], QUARTERS: ['Robo ya kwanza', 'Robo ya kaili', 'Robo ya katatu', 'Robo ya kaana'], AMPMS: ['kang\'ama', 'kingoto'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yyyy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale rof_TZ. */ goog.i18n.DateTimeSymbols_rof_TZ = goog.i18n.DateTimeSymbols_rof; /** * Date/time formatting symbols for locale ru_MD. */ goog.i18n.DateTimeSymbols_ru_MD = { ERAS: ['до н.э.', 'н.э.'], ERANAMES: ['до н.э.', 'н.э.'], NARROWMONTHS: ['Я', 'Ф', 'М', 'А', 'М', 'И', 'И', 'А', 'С', 'О', 'Н', 'Д'], STANDALONENARROWMONTHS: ['Я', 'Ф', 'М', 'А', 'М', 'И', 'И', 'А', 'С', 'О', 'Н', 'Д'], MONTHS: ['января', 'февраля', 'марта', 'апреля', 'мая', 'июня', 'июля', 'августа', 'сентября', 'октября', 'ноября', 'декабря'], STANDALONEMONTHS: ['Январь', 'Февраль', 'Март', 'Апрель', 'Май', 'Июнь', 'Июль', 'Август', 'Сентябрь', 'Октябрь', 'Ноябрь', 'Декабрь'], SHORTMONTHS: ['янв.', 'февр.', 'марта', 'апр.', 'мая', 'июня', 'июля', 'авг.', 'сент.', 'окт.', 'нояб.', 'дек.'], STANDALONESHORTMONTHS: ['Янв.', 'Февр.', 'Март', 'Апр.', 'Май', 'Июнь', 'Июль', 'Авг.', 'Сент.', 'Окт.', 'Нояб.', 'Дек.'], WEEKDAYS: ['воскресенье', 'понедельник', 'вторник', 'среда', 'четверг', 'пятница', 'суббота'], STANDALONEWEEKDAYS: ['Воскресенье', 'Понедельник', 'Вторник', 'Среда', 'Четверг', 'Пятница', 'Суббота'], SHORTWEEKDAYS: ['вс', 'пн', 'вт', 'ср', 'чт', 'пт', 'сб'], STANDALONESHORTWEEKDAYS: ['Вс', 'Пн', 'Вт', 'Ср', 'Чт', 'Пт', 'Сб'], NARROWWEEKDAYS: ['В', 'Пн', 'Вт', 'С', 'Ч', 'П', 'С'], STANDALONENARROWWEEKDAYS: ['В', 'П', 'В', 'С', 'Ч', 'П', 'С'], SHORTQUARTERS: ['1-й кв.', '2-й кв.', '3-й кв.', '4-й кв.'], QUARTERS: ['1-й квартал', '2-й квартал', '3-й квартал', '4-й квартал'], AMPMS: ['до полудня', 'после полудня'], DATEFORMATS: ['EEEE, d MMMM y \'г\'.', 'd MMMM y \'г\'.', 'dd.MM.yyyy', 'dd.MM.yy'], TIMEFORMATS: ['H:mm:ss zzzz', 'H:mm:ss z', 'H:mm:ss', 'H:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale ru_RU. */ goog.i18n.DateTimeSymbols_ru_RU = { ERAS: ['до н.э.', 'н.э.'], ERANAMES: ['до н.э.', 'н.э.'], NARROWMONTHS: ['Я', 'Ф', 'М', 'А', 'М', 'И', 'И', 'А', 'С', 'О', 'Н', 'Д'], STANDALONENARROWMONTHS: ['Я', 'Ф', 'М', 'А', 'М', 'И', 'И', 'А', 'С', 'О', 'Н', 'Д'], MONTHS: ['января', 'февраля', 'марта', 'апреля', 'мая', 'июня', 'июля', 'августа', 'сентября', 'октября', 'ноября', 'декабря'], STANDALONEMONTHS: ['Январь', 'Февраль', 'Март', 'Апрель', 'Май', 'Июнь', 'Июль', 'Август', 'Сентябрь', 'Октябрь', 'Ноябрь', 'Декабрь'], SHORTMONTHS: ['янв.', 'февр.', 'марта', 'апр.', 'мая', 'июня', 'июля', 'авг.', 'сент.', 'окт.', 'нояб.', 'дек.'], STANDALONESHORTMONTHS: ['Янв.', 'Февр.', 'Март', 'Апр.', 'Май', 'Июнь', 'Июль', 'Авг.', 'Сент.', 'Окт.', 'Нояб.', 'Дек.'], WEEKDAYS: ['воскресенье', 'понедельник', 'вторник', 'среда', 'четверг', 'пятница', 'суббота'], STANDALONEWEEKDAYS: ['Воскресенье', 'Понедельник', 'Вторник', 'Среда', 'Четверг', 'Пятница', 'Суббота'], SHORTWEEKDAYS: ['вс', 'пн', 'вт', 'ср', 'чт', 'пт', 'сб'], STANDALONESHORTWEEKDAYS: ['Вс', 'Пн', 'Вт', 'Ср', 'Чт', 'Пт', 'Сб'], NARROWWEEKDAYS: ['В', 'Пн', 'Вт', 'С', 'Ч', 'П', 'С'], STANDALONENARROWWEEKDAYS: ['В', 'П', 'В', 'С', 'Ч', 'П', 'С'], SHORTQUARTERS: ['1-й кв.', '2-й кв.', '3-й кв.', '4-й кв.'], QUARTERS: ['1-й квартал', '2-й квартал', '3-й квартал', '4-й квартал'], AMPMS: ['до полудня', 'после полудня'], DATEFORMATS: ['EEEE, d MMMM y \'г\'.', 'd MMMM y \'г\'.', 'dd.MM.yyyy', 'dd.MM.yy'], TIMEFORMATS: ['H:mm:ss zzzz', 'H:mm:ss z', 'H:mm:ss', 'H:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale ru_UA. */ goog.i18n.DateTimeSymbols_ru_UA = { ERAS: ['до н.э.', 'н.э.'], ERANAMES: ['до н.э.', 'н.э.'], NARROWMONTHS: ['Я', 'Ф', 'М', 'А', 'М', 'И', 'И', 'А', 'С', 'О', 'Н', 'Д'], STANDALONENARROWMONTHS: ['Я', 'Ф', 'М', 'А', 'М', 'И', 'И', 'А', 'С', 'О', 'Н', 'Д'], MONTHS: ['января', 'февраля', 'марта', 'апреля', 'мая', 'июня', 'июля', 'августа', 'сентября', 'октября', 'ноября', 'декабря'], STANDALONEMONTHS: ['Январь', 'Февраль', 'Март', 'Апрель', 'Май', 'Июнь', 'Июль', 'Август', 'Сентябрь', 'Октябрь', 'Ноябрь', 'Декабрь'], SHORTMONTHS: ['янв.', 'февр.', 'марта', 'апр.', 'мая', 'июня', 'июля', 'авг.', 'сент.', 'окт.', 'нояб.', 'дек.'], STANDALONESHORTMONTHS: ['Янв.', 'Февр.', 'Март', 'Апр.', 'Май', 'Июнь', 'Июль', 'Авг.', 'Сент.', 'Окт.', 'Нояб.', 'Дек.'], WEEKDAYS: ['воскресенье', 'понедельник', 'вторник', 'среда', 'четверг', 'пятница', 'суббота'], STANDALONEWEEKDAYS: ['Воскресенье', 'Понедельник', 'Вторник', 'Среда', 'Четверг', 'Пятница', 'Суббота'], SHORTWEEKDAYS: ['вс', 'пн', 'вт', 'ср', 'чт', 'пт', 'сб'], STANDALONESHORTWEEKDAYS: ['Вс', 'Пн', 'Вт', 'Ср', 'Чт', 'Пт', 'Сб'], NARROWWEEKDAYS: ['В', 'Пн', 'Вт', 'С', 'Ч', 'П', 'С'], STANDALONENARROWWEEKDAYS: ['В', 'П', 'В', 'С', 'Ч', 'П', 'С'], SHORTQUARTERS: ['1-й кв.', '2-й кв.', '3-й кв.', '4-й кв.'], QUARTERS: ['1-й квартал', '2-й квартал', '3-й квартал', '4-й квартал'], AMPMS: ['до полудня', 'после полудня'], DATEFORMATS: ['EEEE, d MMMM y \'г\'.', 'd MMMM y', 'd MMM y', 'dd.MM.yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale rw. */ goog.i18n.DateTimeSymbols_rw = { ERAS: ['BCE', 'CE'], ERANAMES: ['BCE', 'CE'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['Mutarama', 'Gashyantare', 'Werurwe', 'Mata', 'Gicuransi', 'Kamena', 'Nyakanga', 'Kanama', 'Nzeli', 'Ukwakira', 'Ugushyingo', 'Ukuboza'], STANDALONEMONTHS: ['Mutarama', 'Gashyantare', 'Werurwe', 'Mata', 'Gicuransi', 'Kamena', 'Nyakanga', 'Kanama', 'Nzeli', 'Ukwakira', 'Ugushyingo', 'Ukuboza'], SHORTMONTHS: ['mut.', 'gas.', 'wer.', 'mat.', 'gic.', 'kam.', 'nya.', 'kan.', 'nze.', 'ukw.', 'ugu.', 'uku.'], STANDALONESHORTMONTHS: ['mut.', 'gas.', 'wer.', 'mat.', 'gic.', 'kam.', 'nya.', 'kan.', 'nze.', 'ukw.', 'ugu.', 'uku.'], WEEKDAYS: ['Ku cyumweru', 'Kuwa mbere', 'Kuwa kabiri', 'Kuwa gatatu', 'Kuwa kane', 'Kuwa gatanu', 'Kuwa gatandatu'], STANDALONEWEEKDAYS: ['Ku cyumweru', 'Kuwa mbere', 'Kuwa kabiri', 'Kuwa gatatu', 'Kuwa kane', 'Kuwa gatanu', 'Kuwa gatandatu'], SHORTWEEKDAYS: ['cyu.', 'mbe.', 'kab.', 'gtu.', 'kan.', 'gnu.', 'gnd.'], STANDALONESHORTWEEKDAYS: ['cyu.', 'mbe.', 'kab.', 'gtu.', 'kan.', 'gnu.', 'gnd.'], NARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], STANDALONENARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], SHORTQUARTERS: ['I1', 'I2', 'I3', 'I4'], QUARTERS: ['igihembwe cya mbere', 'igihembwe cya kabiri', 'igihembwe cya gatatu', 'igihembwe cya kane'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, y MMMM dd', 'y MMMM d', 'y MMM d', 'yy/MM/dd'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale rw_RW. */ goog.i18n.DateTimeSymbols_rw_RW = goog.i18n.DateTimeSymbols_rw; /** * Date/time formatting symbols for locale rwk. */ goog.i18n.DateTimeSymbols_rwk = { ERAS: ['KK', 'BK'], ERANAMES: ['Kabla ya Kristu', 'Baada ya Kristu'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['Januari', 'Februari', 'Machi', 'Aprilyi', 'Mei', 'Junyi', 'Julyai', 'Agusti', 'Septemba', 'Oktoba', 'Novemba', 'Desemba'], STANDALONEMONTHS: ['Januari', 'Februari', 'Machi', 'Aprilyi', 'Mei', 'Junyi', 'Julyai', 'Agusti', 'Septemba', 'Oktoba', 'Novemba', 'Desemba'], SHORTMONTHS: ['Jan', 'Feb', 'Mac', 'Apr', 'Mei', 'Jun', 'Jul', 'Ago', 'Sep', 'Okt', 'Nov', 'Des'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mac', 'Apr', 'Mei', 'Jun', 'Jul', 'Ago', 'Sep', 'Okt', 'Nov', 'Des'], WEEKDAYS: ['Jumapilyi', 'Jumatatuu', 'Jumanne', 'Jumatanu', 'Alhamisi', 'Ijumaa', 'Jumamosi'], STANDALONEWEEKDAYS: ['Jumapilyi', 'Jumatatuu', 'Jumanne', 'Jumatanu', 'Alhamisi', 'Ijumaa', 'Jumamosi'], SHORTWEEKDAYS: ['Jpi', 'Jtt', 'Jnn', 'Jtn', 'Alh', 'Iju', 'Jmo'], STANDALONESHORTWEEKDAYS: ['Jpi', 'Jtt', 'Jnn', 'Jtn', 'Alh', 'Iju', 'Jmo'], NARROWWEEKDAYS: ['J', 'J', 'J', 'J', 'A', 'I', 'J'], STANDALONENARROWWEEKDAYS: ['J', 'J', 'J', 'J', 'A', 'I', 'J'], SHORTQUARTERS: ['R1', 'R2', 'R3', 'R4'], QUARTERS: ['Robo 1', 'Robo 2', 'Robo 3', 'Robo 4'], AMPMS: ['utuko', 'kyiukonyi'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yyyy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale rwk_TZ. */ goog.i18n.DateTimeSymbols_rwk_TZ = goog.i18n.DateTimeSymbols_rwk; /** * Date/time formatting symbols for locale sah. */ goog.i18n.DateTimeSymbols_sah = { ERAS: ['б. э. и.', 'б. э'], ERANAMES: ['б. э. и.', 'б. э'], NARROWMONTHS: ['Т', 'О', 'К', 'М', 'Ы', 'Б', 'О', 'А', 'Б', 'А', 'С', 'А'], STANDALONENARROWMONTHS: ['Т', 'О', 'К', 'М', 'Ы', 'Б', 'О', 'А', 'Б', 'А', 'С', 'А'], MONTHS: ['Тохсунньу', 'Олунньу', 'Кулун тутар', 'Муус устар', 'Ыам ыйын', 'Бэс ыйын', 'От ыйын', 'Атырдьых ыйын', 'Балаҕан ыйын', 'Алтынньы', 'Сэтинньи', 'Ахсынньы'], STANDALONEMONTHS: ['Тохсунньу', 'Олунньу', 'Кулун тутар', 'Муус устар', 'Ыам ыйын', 'Бэс ыйын', 'От ыйын', 'Атырдьых ыйын', 'Балаҕан ыйын', 'Алтынньы', 'Сэтинньи', 'Ахсынньы'], SHORTMONTHS: ['Тохс', 'Олун', 'Клн_ттр', 'Мус_уст', 'Ыам_йн', 'Бэс_йн', 'От_йн', 'Атрдь_йн', 'Блҕн_йн', 'Алт', 'Сэт', 'Ахс'], STANDALONESHORTMONTHS: ['Тохс', 'Олун', 'Клн_ттр', 'Мус_уст', 'Ыам_йн', 'Бэс_йн', 'От_йн', 'Атрдь_йн', 'Блҕн_йн', 'Алт', 'Сэт', 'Ахс'], WEEKDAYS: ['Баскыһыанньа', 'Бэнидиэлинньик', 'Оптуорунньук', 'Сэрэдэ', 'Чэппиэр', 'Бээтиҥсэ', 'Субуота'], STANDALONEWEEKDAYS: ['Баскыһыанньа', 'Бэнидиэлинньик', 'Оптуорунньук', 'Сэрэдэ', 'Чэппиэр', 'Бээтиҥсэ', 'Субуота'], SHORTWEEKDAYS: ['Бс', 'Бн', 'Оп', 'Сэ', 'Чп', 'Бэ', 'Сб'], STANDALONESHORTWEEKDAYS: ['Бс', 'Бн', 'Оп', 'Сэ', 'Чп', 'Бэ', 'Сб'], NARROWWEEKDAYS: ['Б', 'Б', 'О', 'С', 'Ч', 'Б', 'С'], STANDALONENARROWWEEKDAYS: ['Б', 'Б', 'О', 'С', 'Ч', 'Б', 'С'], SHORTQUARTERS: ['1-кы кб', '2-с кб', '3-с кб', '4-с кб'], QUARTERS: ['1-кы кыбаартал', '2-с кыбаартал', '3-с кыбаартал', '4-с кыбаартал'], AMPMS: ['ЭИ', 'ЭК'], DATEFORMATS: ['y \'сыл\' MMMM d \'күнэ\', EEEE', 'y, MMMM d', 'y, MMM d', 'yy/M/d'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale sah_RU. */ goog.i18n.DateTimeSymbols_sah_RU = goog.i18n.DateTimeSymbols_sah; /** * Date/time formatting symbols for locale saq. */ goog.i18n.DateTimeSymbols_saq = { ERAS: ['KK', 'BK'], ERANAMES: ['Kabla ya Christo', 'Baada ya Christo'], NARROWMONTHS: ['O', 'W', 'O', 'O', 'I', 'I', 'S', 'I', 'S', 'T', 'T', 'T'], STANDALONENARROWMONTHS: ['O', 'W', 'O', 'O', 'I', 'I', 'S', 'I', 'S', 'T', 'T', 'T'], MONTHS: ['Lapa le obo', 'Lapa le waare', 'Lapa le okuni', 'Lapa le ong\'wan', 'Lapa le imet', 'Lapa le ile', 'Lapa le sapa', 'Lapa le isiet', 'Lapa le saal', 'Lapa le tomon', 'Lapa le tomon obo', 'Lapa le tomon waare'], STANDALONEMONTHS: ['Lapa le obo', 'Lapa le waare', 'Lapa le okuni', 'Lapa le ong\'wan', 'Lapa le imet', 'Lapa le ile', 'Lapa le sapa', 'Lapa le isiet', 'Lapa le saal', 'Lapa le tomon', 'Lapa le tomon obo', 'Lapa le tomon waare'], SHORTMONTHS: ['Obo', 'Waa', 'Oku', 'Ong', 'Ime', 'Ile', 'Sap', 'Isi', 'Saa', 'Tom', 'Tob', 'Tow'], STANDALONESHORTMONTHS: ['Obo', 'Waa', 'Oku', 'Ong', 'Ime', 'Ile', 'Sap', 'Isi', 'Saa', 'Tom', 'Tob', 'Tow'], WEEKDAYS: ['Mderot ee are', 'Mderot ee kuni', 'Mderot ee ong\'wan', 'Mderot ee inet', 'Mderot ee ile', 'Mderot ee sapa', 'Mderot ee kwe'], STANDALONEWEEKDAYS: ['Mderot ee are', 'Mderot ee kuni', 'Mderot ee ong\'wan', 'Mderot ee inet', 'Mderot ee ile', 'Mderot ee sapa', 'Mderot ee kwe'], SHORTWEEKDAYS: ['Are', 'Kun', 'Ong', 'Ine', 'Ile', 'Sap', 'Kwe'], STANDALONESHORTWEEKDAYS: ['Are', 'Kun', 'Ong', 'Ine', 'Ile', 'Sap', 'Kwe'], NARROWWEEKDAYS: ['A', 'K', 'O', 'I', 'I', 'S', 'K'], STANDALONENARROWWEEKDAYS: ['A', 'K', 'O', 'I', 'I', 'S', 'K'], SHORTQUARTERS: ['R1', 'R2', 'R3', 'R4'], QUARTERS: ['Robo 1', 'Robo 2', 'Robo 3', 'Robo 4'], AMPMS: ['Tesiran', 'Teipa'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yyyy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale saq_KE. */ goog.i18n.DateTimeSymbols_saq_KE = goog.i18n.DateTimeSymbols_saq; /** * Date/time formatting symbols for locale sbp. */ goog.i18n.DateTimeSymbols_sbp = { ERAS: ['AK', 'PK'], ERANAMES: ['Ashanali uKilisito', 'Pamwandi ya Kilisto'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['Mupalangulwa', 'Mwitope', 'Mushende', 'Munyi', 'Mushende Magali', 'Mujimbi', 'Mushipepo', 'Mupuguto', 'Munyense', 'Mokhu', 'Musongandembwe', 'Muhaano'], STANDALONEMONTHS: ['Mupalangulwa', 'Mwitope', 'Mushende', 'Munyi', 'Mushende Magali', 'Mujimbi', 'Mushipepo', 'Mupuguto', 'Munyense', 'Mokhu', 'Musongandembwe', 'Muhaano'], SHORTMONTHS: ['Mup', 'Mwi', 'Msh', 'Mun', 'Mag', 'Muj', 'Msp', 'Mpg', 'Mye', 'Mok', 'Mus', 'Muh'], STANDALONESHORTMONTHS: ['Mup', 'Mwi', 'Msh', 'Mun', 'Mag', 'Muj', 'Msp', 'Mpg', 'Mye', 'Mok', 'Mus', 'Muh'], WEEKDAYS: ['Mulungu', 'Jumatatu', 'Jumanne', 'Jumatano', 'Alahamisi', 'Ijumaa', 'Jumamosi'], STANDALONEWEEKDAYS: ['Mulungu', 'Jumatatu', 'Jumanne', 'Jumatano', 'Alahamisi', 'Ijumaa', 'Jumamosi'], SHORTWEEKDAYS: ['Mul', 'Jtt', 'Jnn', 'Jtn', 'Alh', 'Iju', 'Jmo'], STANDALONESHORTWEEKDAYS: ['Mul', 'Jtt', 'Jnn', 'Jtn', 'Alh', 'Iju', 'Jmo'], NARROWWEEKDAYS: ['M', 'J', 'J', 'J', 'A', 'I', 'J'], STANDALONENARROWWEEKDAYS: ['M', 'J', 'J', 'J', 'A', 'I', 'J'], SHORTQUARTERS: ['L1', 'L2', 'L3', 'L4'], QUARTERS: ['Lobo 1', 'Lobo 2', 'Lobo 3', 'Lobo 4'], AMPMS: ['Lwamilawu', 'Pashamihe'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yyyy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale sbp_TZ. */ goog.i18n.DateTimeSymbols_sbp_TZ = goog.i18n.DateTimeSymbols_sbp; /** * Date/time formatting symbols for locale se. */ goog.i18n.DateTimeSymbols_se = { ERAS: ['o.Kr.', 'm.Kr.'], ERANAMES: ['ovdal Kristtusa', 'maŋŋel Kristtusa'], NARROWMONTHS: ['O', 'G', 'N', 'C', 'M', 'G', 'S', 'B', 'Č', 'G', 'S', 'J'], STANDALONENARROWMONTHS: ['O', 'G', 'N', 'C', 'M', 'G', 'S', 'B', 'Č', 'G', 'S', 'J'], MONTHS: ['ođđajagemánnu', 'guovvamánnu', 'njukčamánnu', 'cuoŋománnu', 'miessemánnu', 'geassemánnu', 'suoidnemánnu', 'borgemánnu', 'čakčamánnu', 'golggotmánnu', 'skábmamánnu', 'juovlamánnu'], STANDALONEMONTHS: ['ođđajagemánnu', 'guovvamánnu', 'njukčamánnu', 'cuoŋománnu', 'miessemánnu', 'geassemánnu', 'suoidnemánnu', 'borgemánnu', 'čakčamánnu', 'golggotmánnu', 'skábmamánnu', 'juovlamánnu'], SHORTMONTHS: ['ođđj', 'guov', 'njuk', 'cuo', 'mies', 'geas', 'suoi', 'borg', 'čakč', 'golg', 'skáb', 'juov'], STANDALONESHORTMONTHS: ['ođđj', 'guov', 'njuk', 'cuo', 'mies', 'geas', 'suoi', 'borg', 'čakč', 'golg', 'skáb', 'juov'], WEEKDAYS: ['sotnabeaivi', 'vuossárga', 'maŋŋebárga', 'gaskavahkku', 'duorasdat', 'bearjadat', 'lávvardat'], STANDALONEWEEKDAYS: ['sotnabeaivi', 'vuossárga', 'maŋŋebárga', 'gaskavahkku', 'duorasdat', 'bearjadat', 'lávvardat'], SHORTWEEKDAYS: ['sotn', 'vuos', 'maŋ', 'gask', 'duor', 'bear', 'láv'], STANDALONESHORTWEEKDAYS: ['sotn', 'vuos', 'maŋ', 'gask', 'duor', 'bear', 'láv'], NARROWWEEKDAYS: ['S', 'V', 'M', 'G', 'D', 'B', 'L'], STANDALONENARROWWEEKDAYS: ['S', 'V', 'M', 'G', 'D', 'B', 'L'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], AMPMS: ['iđitbeaivet', 'eahketbeaivet'], DATEFORMATS: ['EEEE, y MMMM dd', 'y MMMM d', 'y MMM d', 'yyyy-MM-dd'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale se_FI. */ goog.i18n.DateTimeSymbols_se_FI = { ERAS: ['o.Kr.', 'm.Kr.'], ERANAMES: ['ovdal Kristtusa', 'maŋŋel Kristtusa'], NARROWMONTHS: ['O', 'G', 'N', 'C', 'M', 'G', 'S', 'B', 'Č', 'G', 'S', 'J'], STANDALONENARROWMONTHS: ['O', 'G', 'N', 'C', 'M', 'G', 'S', 'B', 'Č', 'G', 'S', 'J'], MONTHS: ['ođđajagemánnu', 'guovvamánnu', 'njukčamánnu', 'cuoŋománnu', 'miessemánnu', 'geassemánnu', 'suoidnemánnu', 'borgemánnu', 'čakčamánnu', 'golggotmánnu', 'skábmamánnu', 'juovlamánnu'], STANDALONEMONTHS: ['ođđajagemánnu', 'guovvamánnu', 'njukčamánnu', 'cuoŋománnu', 'miessemánnu', 'geassemánnu', 'suoidnemánnu', 'borgemánnu', 'čakčamánnu', 'golggotmánnu', 'skábmamánnu', 'juovlamánnu'], SHORTMONTHS: ['ođđajage', 'guovva', 'njukča', 'cuoŋo', 'miesse', 'geasse', 'suoidne', 'borge', 'čakča', 'golggot', 'skábma', 'juovla'], STANDALONESHORTMONTHS: ['ođđajage', 'guovva', 'njukča', 'cuoŋo', 'miesse', 'geasse', 'suoidne', 'borge', 'čakča', 'golggot', 'skábma', 'juovla'], WEEKDAYS: ['aejlege', 'måanta', 'däjsta', 'gaskevahkoe', 'dåarsta', 'bearjadahke', 'laavadahke'], STANDALONEWEEKDAYS: ['aejlege', 'måanta', 'däjsta', 'gaskevahkoe', 'dåarsta', 'bearjadahke', 'laavadahke'], SHORTWEEKDAYS: ['sotn', 'vuos', 'maŋ', 'gask', 'duor', 'bear', 'láv'], STANDALONESHORTWEEKDAYS: ['sotn', 'vuos', 'maŋ', 'gask', 'duor', 'bear', 'láv'], NARROWWEEKDAYS: ['S', 'M', 'D', 'G', 'D', 'B', 'L'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'D', 'G', 'D', 'B', 'L'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], AMPMS: ['iđitbeaivet', 'eahketbeaivet'], DATEFORMATS: ['EEEE, y MMMM dd', 'y MMMM d', 'y MMM d', 'yyyy-MM-dd'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale se_NO. */ goog.i18n.DateTimeSymbols_se_NO = goog.i18n.DateTimeSymbols_se; /** * Date/time formatting symbols for locale seh. */ goog.i18n.DateTimeSymbols_seh = { ERAS: ['AC', 'AD'], ERANAMES: ['Antes de Cristo', 'Anno Domini'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['Janeiro', 'Fevreiro', 'Marco', 'Abril', 'Maio', 'Junho', 'Julho', 'Augusto', 'Setembro', 'Otubro', 'Novembro', 'Decembro'], STANDALONEMONTHS: ['Janeiro', 'Fevreiro', 'Marco', 'Abril', 'Maio', 'Junho', 'Julho', 'Augusto', 'Setembro', 'Otubro', 'Novembro', 'Decembro'], SHORTMONTHS: ['Jan', 'Fev', 'Mar', 'Abr', 'Mai', 'Jun', 'Jul', 'Aug', 'Set', 'Otu', 'Nov', 'Dec'], STANDALONESHORTMONTHS: ['Jan', 'Fev', 'Mar', 'Abr', 'Mai', 'Jun', 'Jul', 'Aug', 'Set', 'Otu', 'Nov', 'Dec'], WEEKDAYS: ['Dimingu', 'Chiposi', 'Chipiri', 'Chitatu', 'Chinai', 'Chishanu', 'Sabudu'], STANDALONEWEEKDAYS: ['Dimingu', 'Chiposi', 'Chipiri', 'Chitatu', 'Chinai', 'Chishanu', 'Sabudu'], SHORTWEEKDAYS: ['Dim', 'Pos', 'Pir', 'Tat', 'Nai', 'Sha', 'Sab'], STANDALONESHORTWEEKDAYS: ['Dim', 'Pos', 'Pir', 'Tat', 'Nai', 'Sha', 'Sab'], NARROWWEEKDAYS: ['D', 'P', 'C', 'T', 'N', 'S', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'P', 'C', 'T', 'N', 'S', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, d \'de\' MMMM \'de\' y', 'd \'de\' MMMM \'de\' y', 'd \'de\' MMM \'de\' y', 'd/M/yyyy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale seh_MZ. */ goog.i18n.DateTimeSymbols_seh_MZ = goog.i18n.DateTimeSymbols_seh; /** * Date/time formatting symbols for locale ses. */ goog.i18n.DateTimeSymbols_ses = { ERAS: ['IJ', 'IZ'], ERANAMES: ['Isaa jine', 'Isaa zamanoo'], NARROWMONTHS: ['Ž', 'F', 'M', 'A', 'M', 'Ž', 'Ž', 'U', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['Ž', 'F', 'M', 'A', 'M', 'Ž', 'Ž', 'U', 'S', 'O', 'N', 'D'], MONTHS: ['Žanwiye', 'Feewiriye', 'Marsi', 'Awiril', 'Me', 'Žuweŋ', 'Žuyye', 'Ut', 'Sektanbur', 'Oktoobur', 'Noowanbur', 'Deesanbur'], STANDALONEMONTHS: ['Žanwiye', 'Feewiriye', 'Marsi', 'Awiril', 'Me', 'Žuweŋ', 'Žuyye', 'Ut', 'Sektanbur', 'Oktoobur', 'Noowanbur', 'Deesanbur'], SHORTMONTHS: ['Žan', 'Fee', 'Mar', 'Awi', 'Me', 'Žuw', 'Žuy', 'Ut', 'Sek', 'Okt', 'Noo', 'Dee'], STANDALONESHORTMONTHS: ['Žan', 'Fee', 'Mar', 'Awi', 'Me', 'Žuw', 'Žuy', 'Ut', 'Sek', 'Okt', 'Noo', 'Dee'], WEEKDAYS: ['Alhadi', 'Atinni', 'Atalaata', 'Alarba', 'Alhamiisa', 'Alzuma', 'Asibti'], STANDALONEWEEKDAYS: ['Alhadi', 'Atinni', 'Atalaata', 'Alarba', 'Alhamiisa', 'Alzuma', 'Asibti'], SHORTWEEKDAYS: ['Alh', 'Ati', 'Ata', 'Ala', 'Alm', 'Alz', 'Asi'], STANDALONESHORTWEEKDAYS: ['Alh', 'Ati', 'Ata', 'Ala', 'Alm', 'Alz', 'Asi'], NARROWWEEKDAYS: ['H', 'T', 'T', 'L', 'L', 'L', 'S'], STANDALONENARROWWEEKDAYS: ['H', 'T', 'T', 'L', 'L', 'L', 'S'], SHORTQUARTERS: ['A1', 'A2', 'A3', 'A4'], QUARTERS: ['Arrubu 1', 'Arrubu 2', 'Arrubu 3', 'Arrubu 4'], AMPMS: ['Adduha', 'Aluula'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM, y', 'd/M/yyyy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale ses_ML. */ goog.i18n.DateTimeSymbols_ses_ML = goog.i18n.DateTimeSymbols_ses; /** * Date/time formatting symbols for locale sg. */ goog.i18n.DateTimeSymbols_sg = { ERAS: ['KnK', 'NpK'], ERANAMES: ['Kôzo na Krîstu', 'Na pekô tî Krîstu'], NARROWMONTHS: ['N', 'F', 'M', 'N', 'B', 'F', 'L', 'K', 'M', 'N', 'N', 'K'], STANDALONENARROWMONTHS: ['N', 'F', 'M', 'N', 'B', 'F', 'L', 'K', 'M', 'N', 'N', 'K'], MONTHS: ['Nyenye', 'Fulundïgi', 'Mbängü', 'Ngubùe', 'Bêläwü', 'Föndo', 'Lengua', 'Kükürü', 'Mvuka', 'Ngberere', 'Nabändüru', 'Kakauka'], STANDALONEMONTHS: ['Nyenye', 'Fulundïgi', 'Mbängü', 'Ngubùe', 'Bêläwü', 'Föndo', 'Lengua', 'Kükürü', 'Mvuka', 'Ngberere', 'Nabändüru', 'Kakauka'], SHORTMONTHS: ['Nye', 'Ful', 'Mbä', 'Ngu', 'Bêl', 'Fön', 'Len', 'Kük', 'Mvu', 'Ngb', 'Nab', 'Kak'], STANDALONESHORTMONTHS: ['Nye', 'Ful', 'Mbä', 'Ngu', 'Bêl', 'Fön', 'Len', 'Kük', 'Mvu', 'Ngb', 'Nab', 'Kak'], WEEKDAYS: ['Bikua-ôko', 'Bïkua-ûse', 'Bïkua-ptâ', 'Bïkua-usïö', 'Bïkua-okü', 'Lâpôsö', 'Lâyenga'], STANDALONEWEEKDAYS: ['Bikua-ôko', 'Bïkua-ûse', 'Bïkua-ptâ', 'Bïkua-usïö', 'Bïkua-okü', 'Lâpôsö', 'Lâyenga'], SHORTWEEKDAYS: ['Bk1', 'Bk2', 'Bk3', 'Bk4', 'Bk5', 'Lâp', 'Lây'], STANDALONESHORTWEEKDAYS: ['Bk1', 'Bk2', 'Bk3', 'Bk4', 'Bk5', 'Lâp', 'Lây'], NARROWWEEKDAYS: ['K', 'S', 'T', 'S', 'K', 'P', 'Y'], STANDALONENARROWWEEKDAYS: ['K', 'S', 'T', 'S', 'K', 'P', 'Y'], SHORTQUARTERS: ['F4-1', 'F4-2', 'F4-3', 'F4-4'], QUARTERS: ['Fângbisïö ôko', 'Fângbisïö ûse', 'Fângbisïö otâ', 'Fângbisïö usïö'], AMPMS: ['ND', 'LK'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM, y', 'd/M/yyyy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale sg_CF. */ goog.i18n.DateTimeSymbols_sg_CF = goog.i18n.DateTimeSymbols_sg; /** * Date/time formatting symbols for locale shi. */ goog.i18n.DateTimeSymbols_shi = { ERAS: ['daɛ', 'dfɛ'], ERANAMES: ['dat n ɛisa', 'dffir n ɛisa'], NARROWMONTHS: ['i', 'b', 'm', 'i', 'm', 'y', 'y', 'ɣ', 'c', 'k', 'n', 'd'], STANDALONENARROWMONTHS: ['i', 'b', 'm', 'i', 'm', 'y', 'y', 'ɣ', 'c', 'k', 'n', 'd'], MONTHS: ['innayr', 'bṛayṛ', 'maṛṣ', 'ibrir', 'mayyu', 'yunyu', 'yulyuz', 'ɣuct', 'cutanbir', 'ktubr', 'nuwanbir', 'dujanbir'], STANDALONEMONTHS: ['innayr', 'bṛayṛ', 'maṛṣ', 'ibrir', 'mayyu', 'yunyu', 'yulyuz', 'ɣuct', 'cutanbir', 'ktubr', 'nuwanbir', 'dujanbir'], SHORTMONTHS: ['inn', 'bṛa', 'maṛ', 'ibr', 'may', 'yun', 'yul', 'ɣuc', 'cut', 'ktu', 'nuw', 'duj'], STANDALONESHORTMONTHS: ['inn', 'bṛa', 'maṛ', 'ibr', 'may', 'yun', 'yul', 'ɣuc', 'cut', 'ktu', 'nuw', 'duj'], WEEKDAYS: ['asamas', 'aynas', 'asinas', 'akṛas', 'akwas', 'asimwas', 'asiḍyas'], STANDALONEWEEKDAYS: ['asamas', 'aynas', 'asinas', 'akṛas', 'akwas', 'asimwas', 'asiḍyas'], SHORTWEEKDAYS: ['asa', 'ayn', 'asi', 'akṛ', 'akw', 'asim', 'asiḍ'], STANDALONESHORTWEEKDAYS: ['asa', 'ayn', 'asi', 'akṛ', 'akw', 'asim', 'asiḍ'], NARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], STANDALONENARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], SHORTQUARTERS: ['ak 1', 'ak 2', 'ak 3', 'ak 4'], QUARTERS: ['akṛaḍyur 1', 'akṛaḍyur 2', 'akṛaḍyur 3', 'akṛaḍyur 4'], AMPMS: ['tifawt', 'tadggʷat'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM, y', 'd/M/yyyy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale shi_Latn. */ goog.i18n.DateTimeSymbols_shi_Latn = goog.i18n.DateTimeSymbols_shi; /** * Date/time formatting symbols for locale shi_Latn_MA. */ goog.i18n.DateTimeSymbols_shi_Latn_MA = goog.i18n.DateTimeSymbols_shi; /** * Date/time formatting symbols for locale shi_Tfng. */ goog.i18n.DateTimeSymbols_shi_Tfng = { ERAS: ['ⴷⴰⵄ', 'ⴷⴼⵄ'], ERANAMES: ['ⴷⴰⵜ ⵏ ⵄⵉⵙⴰ', 'ⴷⴼⴼⵉⵔ ⵏ ⵄⵉⵙⴰ'], NARROWMONTHS: ['ⵉ', 'ⴱ', 'ⵎ', 'ⵉ', 'ⵎ', 'ⵢ', 'ⵢ', 'ⵖ', 'ⵛ', 'ⴽ', 'ⵏ', 'ⴷ'], STANDALONENARROWMONTHS: ['ⵉ', 'ⴱ', 'ⵎ', 'ⵉ', 'ⵎ', 'ⵢ', 'ⵢ', 'ⵖ', 'ⵛ', 'ⴽ', 'ⵏ', 'ⴷ'], MONTHS: ['ⵉⵏⵏⴰⵢⵔ', 'ⴱⵕⴰⵢⵕ', 'ⵎⴰⵕⵚ', 'ⵉⴱⵔⵉⵔ', 'ⵎⴰⵢⵢⵓ', 'ⵢⵓⵏⵢⵓ', 'ⵢⵓⵍⵢⵓⵣ', 'ⵖⵓⵛⵜ', 'ⵛⵓⵜⴰⵏⴱⵉⵔ', 'ⴽⵜⵓⴱⵔ', 'ⵏⵓⵡⴰⵏⴱⵉⵔ', 'ⴷⵓⵊⴰⵏⴱⵉⵔ'], STANDALONEMONTHS: ['ⵉⵏⵏⴰⵢⵔ', 'ⴱⵕⴰⵢⵕ', 'ⵎⴰⵕⵚ', 'ⵉⴱⵔⵉⵔ', 'ⵎⴰⵢⵢⵓ', 'ⵢⵓⵏⵢⵓ', 'ⵢⵓⵍⵢⵓⵣ', 'ⵖⵓⵛⵜ', 'ⵛⵓⵜⴰⵏⴱⵉⵔ', 'ⴽⵜⵓⴱⵔ', 'ⵏⵓⵡⴰⵏⴱⵉⵔ', 'ⴷⵓⵊⴰⵏⴱⵉⵔ'], SHORTMONTHS: ['ⵉⵏⵏ', 'ⴱⵕⴰ', 'ⵎⴰⵕ', 'ⵉⴱⵔ', 'ⵎⴰⵢ', 'ⵢⵓⵏ', 'ⵢⵓⵍ', 'ⵖⵓⵛ', 'ⵛⵓⵜ', 'ⴽⵜⵓ', 'ⵏⵓⵡ', 'ⴷⵓⵊ'], STANDALONESHORTMONTHS: ['ⵉⵏⵏ', 'ⴱⵕⴰ', 'ⵎⴰⵕ', 'ⵉⴱⵔ', 'ⵎⴰⵢ', 'ⵢⵓⵏ', 'ⵢⵓⵍ', 'ⵖⵓⵛ', 'ⵛⵓⵜ', 'ⴽⵜⵓ', 'ⵏⵓⵡ', 'ⴷⵓⵊ'], WEEKDAYS: ['ⴰⵙⴰⵎⴰⵙ', 'ⴰⵢⵏⴰⵙ', 'ⴰⵙⵉⵏⴰⵙ', 'ⴰⴽⵕⴰⵙ', 'ⴰⴽⵡⴰⵙ', 'ⵙⵉⵎⵡⴰⵙ', 'ⴰⵙⵉⴹⵢⴰⵙ'], STANDALONEWEEKDAYS: ['ⴰⵙⴰⵎⴰⵙ', 'ⴰⵢⵏⴰⵙ', 'ⴰⵙⵉⵏⴰⵙ', 'ⴰⴽⵕⴰⵙ', 'ⴰⴽⵡⴰⵙ', 'ⵙⵉⵎⵡⴰⵙ', 'ⴰⵙⵉⴹⵢⴰⵙ'], SHORTWEEKDAYS: ['ⴰⵙⴰ', 'ⴰⵢⵏ', 'ⴰⵙⵉ', 'ⴰⴽⵕ', 'ⴰⴽⵡ', 'ⴰⵙⵉⵎ', 'ⴰⵙⵉⴹ'], STANDALONESHORTWEEKDAYS: ['ⴰⵙⴰ', 'ⴰⵢⵏ', 'ⴰⵙⵉ', 'ⴰⴽⵕ', 'ⴰⴽⵡ', 'ⴰⵙⵉⵎ', 'ⴰⵙⵉⴹ'], NARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], STANDALONENARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], SHORTQUARTERS: ['ⴰⴽ 1', 'ⴰⴽ 2', 'ⴰⴽ 3', 'ⴰⴽ 4'], QUARTERS: ['ⴰⴽⵕⴰⴹⵢⵓⵔ 1', 'ⴰⴽⵕⴰⴹⵢⵓⵔ 2', 'ⴰⴽⵕⴰⴹⵢⵓⵔ 3', 'ⴰⴽⵕⴰⴹⵢⵓⵔ 4'], AMPMS: ['ⵜⵉⴼⴰⵡⵜ', 'ⵜⴰⴷⴳⴳⵯⴰⵜ'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM, y', 'd/M/yyyy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale shi_Tfng_MA. */ goog.i18n.DateTimeSymbols_shi_Tfng_MA = goog.i18n.DateTimeSymbols_shi_Tfng; /** * Date/time formatting symbols for locale si. */ goog.i18n.DateTimeSymbols_si = { ERAS: ['ක්‍රි.පූ.', 'ක්‍රි.ව.'], ERANAMES: ['ක්‍රිස්තු පූර්‍ව', 'ක්‍රිස්තු වර්‍ෂ'], NARROWMONTHS: ['ජ', 'පෙ', 'මා', 'අ', 'මැ', 'ජූ', 'ජූ', 'අ', 'සැ', 'ඔ', 'නො', 'දෙ'], STANDALONENARROWMONTHS: ['ජ', 'පෙ', 'මා', 'අ', 'මැ', 'ජූ', 'ජූ', 'අ', 'සැ', 'ඔ', 'නො', 'දෙ'], MONTHS: ['ජනවාරි', 'පෙබරවාරි', 'මාර්තු', 'අප්‍රේල්', 'මැයි', 'ජූනි', 'ජූලි', 'අගෝස්තු', 'සැප්තැම්බර්', 'ඔක්තෝබර්', 'නොවැම්බර්', 'දෙසැම්බර්'], STANDALONEMONTHS: ['ජනවාරි', 'පෙබරවාරි', 'මාර්තු', 'අප්‍රේල්', 'මැයි', 'ජූනි', 'ජූලි', 'අගෝස්තු', 'සැප්තැම්බර්', 'ඔක්තෝබර්', 'නොවැම්බර්', 'දෙසැම්බර්'], SHORTMONTHS: ['ජන', 'පෙබ', 'මාර්තු', 'අප්‍රේල්', 'මැයි', 'ජූනි', 'ජූලි', 'අගෝ', 'සැප්', 'ඔක්', 'නොවැ', 'දෙසැ'], STANDALONESHORTMONTHS: ['ජන', 'පෙබ', 'මාර්', 'අප්‍රේල්', 'මැයි', 'ජූනි', 'ජූලි', 'අගෝ', 'සැප්', 'ඔක්', 'නොවැ', 'දෙසැ'], WEEKDAYS: ['ඉරිදා', 'සඳුදා', 'අඟහරුවාදා', 'බදාදා', 'බ්‍රහස්පතින්දා', 'සිකුරාදා', 'සෙනසුරාදා'], STANDALONEWEEKDAYS: ['ඉරිදා', 'සඳුදා', 'අඟහරුවාදා', 'බදාදා', 'බ්‍රහස්පතින්දා', 'සිකුරාදා', 'සෙනසුරාදා'], SHORTWEEKDAYS: ['ඉරි', 'සඳු', 'අඟ', 'බදා', 'බ්‍රහ', 'සිකු', 'සෙන'], STANDALONESHORTWEEKDAYS: ['ඉරි', 'සඳු', 'අඟ', 'බදා', 'බ්‍රහ', 'සිකු', 'සෙන'], NARROWWEEKDAYS: ['ඉ', 'ස', 'අ', 'බ', 'බ්‍ර', 'සි', 'සෙ'], STANDALONENARROWWEEKDAYS: ['ඉ', 'ස', 'අ', 'බ', 'බ්‍ර', 'සි', 'සෙ'], SHORTQUARTERS: ['කාර්:1', 'කාර්:2', 'කාර්:3', 'කාර්:4'], QUARTERS: ['1 වන කාර්තුව', '2 වන කාර්තුව', '3 වන කාර්තුව', '4 වන කාර්තුව'], AMPMS: ['පෙ.ව.', 'ප.ව.'], DATEFORMATS: ['y MMMM d, EEEE', 'y MMMM d', 'y MMM d', 'yyyy/MM/dd'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'a h.mm.ss', 'a h.mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale si_LK. */ goog.i18n.DateTimeSymbols_si_LK = goog.i18n.DateTimeSymbols_si; /** * Date/time formatting symbols for locale sk_SK. */ goog.i18n.DateTimeSymbols_sk_SK = { ERAS: ['pred n.l.', 'n.l.'], ERANAMES: ['pred n.l.', 'n.l.'], NARROWMONTHS: ['j', 'f', 'm', 'a', 'm', 'j', 'j', 'a', 's', 'o', 'n', 'd'], STANDALONENARROWMONTHS: ['j', 'f', 'm', 'a', 'm', 'j', 'j', 'a', 's', 'o', 'n', 'd'], MONTHS: ['januára', 'februára', 'marca', 'apríla', 'mája', 'júna', 'júla', 'augusta', 'septembra', 'októbra', 'novembra', 'decembra'], STANDALONEMONTHS: ['január', 'február', 'marec', 'apríl', 'máj', 'jún', 'júl', 'august', 'september', 'október', 'november', 'december'], SHORTMONTHS: ['jan', 'feb', 'mar', 'apr', 'máj', 'jún', 'júl', 'aug', 'sep', 'okt', 'nov', 'dec'], STANDALONESHORTMONTHS: ['jan', 'feb', 'mar', 'apr', 'máj', 'jún', 'júl', 'aug', 'sep', 'okt', 'nov', 'dec'], WEEKDAYS: ['nedeľa', 'pondelok', 'utorok', 'streda', 'štvrtok', 'piatok', 'sobota'], STANDALONEWEEKDAYS: ['nedeľa', 'pondelok', 'utorok', 'streda', 'štvrtok', 'piatok', 'sobota'], SHORTWEEKDAYS: ['ne', 'po', 'ut', 'st', 'št', 'pi', 'so'], STANDALONESHORTWEEKDAYS: ['ne', 'po', 'ut', 'st', 'št', 'pi', 'so'], NARROWWEEKDAYS: ['N', 'P', 'U', 'S', 'Š', 'P', 'S'], STANDALONENARROWWEEKDAYS: ['N', 'P', 'U', 'S', 'Š', 'P', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['1. štvrťrok', '2. štvrťrok', '3. štvrťrok', '4. štvrťrok'], AMPMS: ['dopoludnia', 'popoludní'], DATEFORMATS: ['EEEE, d. MMMM y', 'd. MMMM y', 'd.M.yyyy', 'd.M.yyyy'], TIMEFORMATS: ['H:mm:ss zzzz', 'H:mm:ss z', 'H:mm:ss', 'H:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale sl_SI. */ goog.i18n.DateTimeSymbols_sl_SI = { ERAS: ['pr. n. št.', 'po Kr.'], ERANAMES: ['pred našim štetjem', 'naše štetje'], NARROWMONTHS: ['j', 'f', 'm', 'a', 'm', 'j', 'j', 'a', 's', 'o', 'n', 'd'], STANDALONENARROWMONTHS: ['j', 'f', 'm', 'a', 'm', 'j', 'j', 'a', 's', 'o', 'n', 'd'], MONTHS: ['januar', 'februar', 'marec', 'april', 'maj', 'junij', 'julij', 'avgust', 'september', 'oktober', 'november', 'december'], STANDALONEMONTHS: ['januar', 'februar', 'marec', 'april', 'maj', 'junij', 'julij', 'avgust', 'september', 'oktober', 'november', 'december'], SHORTMONTHS: ['jan.', 'feb.', 'mar.', 'apr.', 'maj', 'jun.', 'jul.', 'avg.', 'sep.', 'okt.', 'nov.', 'dec.'], STANDALONESHORTMONTHS: ['jan', 'feb', 'mar', 'apr', 'maj', 'jun', 'jul', 'avg', 'sep', 'okt', 'nov', 'dec'], WEEKDAYS: ['nedelja', 'ponedeljek', 'torek', 'sreda', 'četrtek', 'petek', 'sobota'], STANDALONEWEEKDAYS: ['nedelja', 'ponedeljek', 'torek', 'sreda', 'četrtek', 'petek', 'sobota'], SHORTWEEKDAYS: ['ned.', 'pon.', 'tor.', 'sre.', 'čet.', 'pet.', 'sob.'], STANDALONESHORTWEEKDAYS: ['ned', 'pon', 'tor', 'sre', 'čet', 'pet', 'sob'], NARROWWEEKDAYS: ['n', 'p', 't', 's', 'č', 'p', 's'], STANDALONENARROWWEEKDAYS: ['n', 'p', 't', 's', 'č', 'p', 's'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['1. četrtletje', '2. četrtletje', '3. četrtletje', '4. četrtletje'], AMPMS: ['dop.', 'pop.'], DATEFORMATS: ['EEEE, dd. MMMM y', 'dd. MMMM y', 'd. MMM yyyy', 'd. MM. yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale sn. */ goog.i18n.DateTimeSymbols_sn = { ERAS: ['BC', 'AD'], ERANAMES: ['Kristo asati auya', 'Kristo ashaya'], NARROWMONTHS: ['N', 'K', 'K', 'K', 'C', 'C', 'C', 'N', 'G', 'G', 'M', 'Z'], STANDALONENARROWMONTHS: ['N', 'K', 'K', 'K', 'C', 'C', 'C', 'N', 'G', 'G', 'M', 'Z'], MONTHS: ['Ndira', 'Kukadzi', 'Kurume', 'Kubvumbi', 'Chivabvu', 'Chikumi', 'Chikunguru', 'Nyamavhuvhu', 'Gunyana', 'Gumiguru', 'Mbudzi', 'Zvita'], STANDALONEMONTHS: ['Ndira', 'Kukadzi', 'Kurume', 'Kubvumbi', 'Chivabvu', 'Chikumi', 'Chikunguru', 'Nyamavhuvhu', 'Gunyana', 'Gumiguru', 'Mbudzi', 'Zvita'], SHORTMONTHS: ['Ndi', 'Kuk', 'Kur', 'Kub', 'Chv', 'Chk', 'Chg', 'Nya', 'Gun', 'Gum', 'Mb', 'Zvi'], STANDALONESHORTMONTHS: ['Ndi', 'Kuk', 'Kur', 'Kub', 'Chv', 'Chk', 'Chg', 'Nya', 'Gun', 'Gum', 'Mb', 'Zvi'], WEEKDAYS: ['Svondo', 'Muvhuro', 'Chipiri', 'Chitatu', 'China', 'Chishanu', 'Mugovera'], STANDALONEWEEKDAYS: ['Svondo', 'Muvhuro', 'Chipiri', 'Chitatu', 'China', 'Chishanu', 'Mugovera'], SHORTWEEKDAYS: ['Svo', 'Muv', 'Chip', 'Chit', 'Chin', 'Chis', 'Mug'], STANDALONESHORTWEEKDAYS: ['Svo', 'Muv', 'Chip', 'Chit', 'Chin', 'Chis', 'Mug'], NARROWWEEKDAYS: ['S', 'M', 'C', 'C', 'C', 'C', 'M'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'C', 'C', 'C', 'C', 'M'], SHORTQUARTERS: ['K1', 'K2', 'K3', 'K4'], QUARTERS: ['Kota 1', 'Kota 2', 'Kota 3', 'Kota 4'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yyyy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale sn_ZW. */ goog.i18n.DateTimeSymbols_sn_ZW = goog.i18n.DateTimeSymbols_sn; /** * Date/time formatting symbols for locale so. */ goog.i18n.DateTimeSymbols_so = { ERAS: ['CK', 'CD'], ERANAMES: ['Ciise ka hor (CS)', 'Ciise ka dib (CS)'], NARROWMONTHS: ['K', 'L', 'S', 'A', 'S', 'L', 'T', 'S', 'S', 'T', 'K', 'L'], STANDALONENARROWMONTHS: ['K', 'L', 'S', 'A', 'S', 'L', 'T', 'S', 'S', 'T', 'K', 'L'], MONTHS: ['Bisha Koobaad', 'Bisha Labaad', 'Bisha Saddexaad', 'Bisha Afraad', 'Bisha Shanaad', 'Bisha Lixaad', 'Bisha Todobaad', 'Bisha Sideedaad', 'Bisha Sagaalaad', 'Bisha Tobnaad', 'Bisha Kow iyo Tobnaad', 'Bisha Laba iyo Tobnaad'], STANDALONEMONTHS: ['Bisha Koobaad', 'Bisha Labaad', 'Bisha Saddexaad', 'Bisha Afraad', 'Bisha Shanaad', 'Bisha Lixaad', 'Bisha Todobaad', 'Bisha Sideedaad', 'Bisha Sagaalaad', 'Bisha Tobnaad', 'Bisha Kow iyo Tobnaad', 'Bisha Laba iyo Tobnaad'], SHORTMONTHS: ['Kob', 'Lab', 'Sad', 'Afr', 'Sha', 'Lix', 'Tod', 'Sid', 'Sag', 'Tob', 'KIT', 'LIT'], STANDALONESHORTMONTHS: ['Kob', 'Lab', 'Sad', 'Afr', 'Sha', 'Lix', 'Tod', 'Sid', 'Sag', 'Tob', 'KIT', 'LIT'], WEEKDAYS: ['Axad', 'Isniin', 'Talaado', 'Arbaco', 'Khamiis', 'Jimco', 'Sabti'], STANDALONEWEEKDAYS: ['Axad', 'Isniin', 'Talaado', 'Arbaco', 'Khamiis', 'Jimco', 'Sabti'], SHORTWEEKDAYS: ['Axd', 'Isn', 'Tal', 'Arb', 'Kha', 'Jim', 'Sab'], STANDALONESHORTWEEKDAYS: ['Axd', 'Isn', 'Tal', 'Arb', 'Kha', 'Jim', 'Sab'], NARROWWEEKDAYS: ['A', 'I', 'T', 'A', 'K', 'J', 'S'], STANDALONENARROWWEEKDAYS: ['A', 'I', 'T', 'A', 'K', 'J', 'S'], SHORTQUARTERS: ['R1', 'R2', 'R3', 'R4'], QUARTERS: ['Rubaca 1aad', 'Rubaca 2aad', 'Rubaca 3aad', 'Rubaca 4aad'], AMPMS: ['sn.', 'gn.'], DATEFORMATS: ['EEEE, MMMM dd, y', 'dd MMMM y', 'dd-MMM-y', 'dd/MM/yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale so_DJ. */ goog.i18n.DateTimeSymbols_so_DJ = goog.i18n.DateTimeSymbols_so; /** * Date/time formatting symbols for locale so_ET. */ goog.i18n.DateTimeSymbols_so_ET = goog.i18n.DateTimeSymbols_so; /** * Date/time formatting symbols for locale so_KE. */ goog.i18n.DateTimeSymbols_so_KE = goog.i18n.DateTimeSymbols_so; /** * Date/time formatting symbols for locale so_SO. */ goog.i18n.DateTimeSymbols_so_SO = goog.i18n.DateTimeSymbols_so; /** * Date/time formatting symbols for locale sq_AL. */ goog.i18n.DateTimeSymbols_sq_AL = { ERAS: ['p.e.r.', 'n.e.r.'], ERANAMES: ['p.e.r.', 'n.e.r.'], NARROWMONTHS: ['J', 'S', 'M', 'P', 'M', 'Q', 'K', 'G', 'S', 'T', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'S', 'M', 'P', 'M', 'Q', 'K', 'G', 'S', 'T', 'N', 'D'], MONTHS: ['janar', 'shkurt', 'mars', 'prill', 'maj', 'qershor', 'korrik', 'gusht', 'shtator', 'tetor', 'nëntor', 'dhjetor'], STANDALONEMONTHS: ['janar', 'shkurt', 'mars', 'prill', 'maj', 'qershor', 'korrik', 'gusht', 'shtator', 'tetor', 'nëntor', 'dhjetor'], SHORTMONTHS: ['Jan', 'Shk', 'Mar', 'Pri', 'Maj', 'Qer', 'Kor', 'Gsh', 'Sht', 'Tet', 'Nën', 'Dhj'], STANDALONESHORTMONTHS: ['Jan', 'Shk', 'Mar', 'Pri', 'Maj', 'Qer', 'Kor', 'Gsh', 'Sht', 'Tet', 'Nën', 'Dhj'], WEEKDAYS: ['e diel', 'e hënë', 'e martë', 'e mërkurë', 'e enjte', 'e premte', 'e shtunë'], STANDALONEWEEKDAYS: ['e diel', 'e hënë', 'e martë', 'e mërkurë', 'e enjte', 'e premte', 'e shtunë'], SHORTWEEKDAYS: ['Die', 'Hën', 'Mar', 'Mër', 'Enj', 'Pre', 'Sht'], STANDALONESHORTWEEKDAYS: ['Die', 'Hën', 'Mar', 'Mër', 'Enj', 'Pre', 'Sht'], NARROWWEEKDAYS: ['D', 'H', 'M', 'M', 'E', 'P', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'H', 'M', 'M', 'E', 'P', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], AMPMS: ['PD', 'MD'], DATEFORMATS: ['EEEE, dd MMMM y', 'dd MMMM y', 'yyyy-MM-dd', 'yy-MM-dd'], TIMEFORMATS: ['h.mm.ss.a zzzz', 'h.mm.ss.a z', 'h.mm.ss.a', 'h.mm.a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale sr_Cyrl. */ goog.i18n.DateTimeSymbols_sr_Cyrl = { ERAS: ['п. н. е.', 'н. е.'], ERANAMES: ['Пре нове ере', 'Нове ере'], NARROWMONTHS: ['ј', 'ф', 'м', 'а', 'м', 'ј', 'ј', 'а', 'с', 'о', 'н', 'д'], STANDALONENARROWMONTHS: ['ј', 'ф', 'м', 'а', 'м', 'ј', 'ј', 'а', 'с', 'о', 'н', 'д'], MONTHS: ['јануар', 'фебруар', 'март', 'април', 'мај', 'јун', 'јул', 'август', 'септембар', 'октобар', 'новембар', 'децембар'], STANDALONEMONTHS: ['јануар', 'фебруар', 'март', 'април', 'мај', 'јун', 'јул', 'август', 'септембар', 'октобар', 'новембар', 'децембар'], SHORTMONTHS: ['јан', 'феб', 'мар', 'апр', 'мај', 'јун', 'јул', 'авг', 'сеп', 'окт', 'нов', 'дец'], STANDALONESHORTMONTHS: ['јан', 'феб', 'мар', 'апр', 'мај', 'јун', 'јул', 'авг', 'сеп', 'окт', 'нов', 'дец'], WEEKDAYS: ['недеља', 'понедељак', 'уторак', 'среда', 'четвртак', 'петак', 'субота'], STANDALONEWEEKDAYS: ['недеља', 'понедељак', 'уторак', 'среда', 'четвртак', 'петак', 'субота'], SHORTWEEKDAYS: ['нед', 'пон', 'уто', 'сре', 'чет', 'пет', 'суб'], STANDALONESHORTWEEKDAYS: ['нед', 'пон', 'уто', 'сре', 'чет', 'пет', 'суб'], NARROWWEEKDAYS: ['н', 'п', 'у', 'с', 'ч', 'п', 'с'], STANDALONENARROWWEEKDAYS: ['н', 'п', 'у', 'с', 'ч', 'п', 'с'], SHORTQUARTERS: ['К1', 'К2', 'К3', 'К4'], QUARTERS: ['Прво тромесечје', 'Друго тромесечје', 'Треће тромесечје', 'Четврто тромесечје'], AMPMS: ['пре подне', 'поподне'], DATEFORMATS: ['EEEE, dd. MMMM y.', 'dd. MMMM y.', 'dd.MM.y.', 'd.M.yy.'], TIMEFORMATS: ['HH.mm.ss zzzz', 'HH.mm.ss z', 'HH.mm.ss', 'HH.mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale sr_Cyrl_BA. */ goog.i18n.DateTimeSymbols_sr_Cyrl_BA = { ERAS: ['п. н. е.', 'н. е.'], ERANAMES: ['Пре нове ере', 'Нове ере'], NARROWMONTHS: ['ј', 'ф', 'м', 'а', 'м', 'ј', 'ј', 'а', 'с', 'о', 'н', 'д'], STANDALONENARROWMONTHS: ['ј', 'ф', 'м', 'а', 'м', 'ј', 'ј', 'а', 'с', 'о', 'н', 'д'], MONTHS: ['јануар', 'фебруар', 'март', 'април', 'мај', 'јуни', 'јули', 'август', 'септембар', 'октобар', 'новембар', 'децембар'], STANDALONEMONTHS: ['јануар', 'фебруар', 'март', 'април', 'мај', 'јуни', 'јули', 'август', 'септембар', 'октобар', 'новембар', 'децембар'], SHORTMONTHS: ['јан', 'феб', 'мар', 'апр', 'мај', 'јун', 'јул', 'авг', 'сеп', 'окт', 'нов', 'дец'], STANDALONESHORTMONTHS: ['јан', 'феб', 'мар', 'апр', 'мај', 'јун', 'јул', 'авг', 'сеп', 'окт', 'нов', 'дец'], WEEKDAYS: ['недеља', 'понедељак', 'уторак', 'сриједа', 'четвртак', 'петак', 'субота'], STANDALONEWEEKDAYS: ['недеља', 'понедељак', 'уторак', 'сриједа', 'четвртак', 'петак', 'субота'], SHORTWEEKDAYS: ['нед', 'пон', 'уто', 'сри', 'чет', 'пет', 'суб'], STANDALONESHORTWEEKDAYS: ['нед', 'пон', 'уто', 'сри', 'чет', 'пет', 'суб'], NARROWWEEKDAYS: ['н', 'п', 'у', 'с', 'ч', 'п', 'с'], STANDALONENARROWWEEKDAYS: ['н', 'п', 'у', 'с', 'ч', 'п', 'с'], SHORTQUARTERS: ['К1', 'К2', 'К3', 'К4'], QUARTERS: ['Прво тромесечје', 'Друго тромесечје', 'Треће тромесечје', 'Четврто тромесечје'], AMPMS: ['пре подне', 'поподне'], DATEFORMATS: ['EEEE, dd. MMMM y.', 'dd. MMMM y.', 'yyyy-MM-dd', 'yy-MM-dd'], TIMEFORMATS: [ 'HH \'часова\', mm \'минута\', ss \'секунди\' zzzz', 'HH.mm.ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale sr_Cyrl_ME. */ goog.i18n.DateTimeSymbols_sr_Cyrl_ME = goog.i18n.DateTimeSymbols_sr_Cyrl; /** * Date/time formatting symbols for locale sr_Cyrl_RS. */ goog.i18n.DateTimeSymbols_sr_Cyrl_RS = goog.i18n.DateTimeSymbols_sr_Cyrl; /** * Date/time formatting symbols for locale sr_Latn. */ goog.i18n.DateTimeSymbols_sr_Latn = { ERAS: ['p. n. e.', 'n. e'], ERANAMES: ['Pre nove ere', 'Nove ere'], NARROWMONTHS: ['j', 'f', 'm', 'a', 'm', 'j', 'j', 'a', 's', 'o', 'n', 'd'], STANDALONENARROWMONTHS: ['j', 'f', 'm', 'a', 'm', 'j', 'j', 'a', 's', 'o', 'n', 'd'], MONTHS: ['januar', 'februar', 'mart', 'april', 'maj', 'jun', 'jul', 'avgust', 'septembar', 'oktobar', 'novembar', 'decembar'], STANDALONEMONTHS: ['januar', 'februar', 'mart', 'april', 'maj', 'jun', 'jul', 'avgust', 'septembar', 'oktobar', 'novembar', 'decembar'], SHORTMONTHS: ['jan', 'feb', 'mar', 'apr', 'maj', 'jun', 'jul', 'avg', 'sep', 'okt', 'nov', 'dec'], STANDALONESHORTMONTHS: ['jan', 'feb', 'mar', 'apr', 'maj', 'jun', 'jul', 'avg', 'sep', 'okt', 'nov', 'dec'], WEEKDAYS: ['nedelja', 'ponedeljak', 'utorak', 'sreda', 'četvrtak', 'petak', 'subota'], STANDALONEWEEKDAYS: ['nedelja', 'ponedeljak', 'utorak', 'sreda', 'četvrtak', 'petak', 'subota'], SHORTWEEKDAYS: ['ned', 'pon', 'uto', 'sre', 'čet', 'pet', 'sub'], STANDALONESHORTWEEKDAYS: ['ned', 'pon', 'uto', 'sre', 'čet', 'pet', 'sub'], NARROWWEEKDAYS: ['n', 'p', 'u', 's', 'č', 'p', 's'], STANDALONENARROWWEEKDAYS: ['n', 'p', 'u', 's', 'č', 'p', 's'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['1. kvartal', '2. kvartal', '3. kvartal', '4. kvartal'], AMPMS: ['pre podne', 'popodne'], DATEFORMATS: ['EEEE, dd. MMMM y.', 'dd. MMMM y.', 'dd.MM.y.', 'd.M.yy.'], TIMEFORMATS: ['HH.mm.ss zzzz', 'HH.mm.ss z', 'HH.mm.ss', 'HH.mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale sr_Latn_BA. */ goog.i18n.DateTimeSymbols_sr_Latn_BA = goog.i18n.DateTimeSymbols_sr_Latn; /** * Date/time formatting symbols for locale sr_Latn_ME. */ goog.i18n.DateTimeSymbols_sr_Latn_ME = { ERAS: ['p. n. e.', 'n. e'], ERANAMES: ['Pre nove ere', 'Nove ere'], NARROWMONTHS: ['j', 'f', 'm', 'a', 'm', 'j', 'j', 'a', 's', 'o', 'n', 'd'], STANDALONENARROWMONTHS: ['j', 'f', 'm', 'a', 'm', 'j', 'j', 'a', 's', 'o', 'n', 'd'], MONTHS: ['januar', 'februar', 'mart', 'april', 'maj', 'jun', 'jul', 'avgust', 'septembar', 'oktobar', 'novembar', 'decembar'], STANDALONEMONTHS: ['januar', 'februar', 'mart', 'april', 'maj', 'jun', 'jul', 'avgust', 'septembar', 'oktobar', 'novembar', 'decembar'], SHORTMONTHS: ['jan', 'feb', 'mar', 'apr', 'maj', 'jun', 'jul', 'avg', 'sep', 'okt', 'nov', 'dec'], STANDALONESHORTMONTHS: ['jan', 'feb', 'mar', 'apr', 'maj', 'jun', 'jul', 'avg', 'sep', 'okt', 'nov', 'dec'], WEEKDAYS: ['nedelja', 'ponedeljak', 'utorak', 'sreda', 'četvrtak', 'petak', 'subota'], STANDALONEWEEKDAYS: ['nedelja', 'ponedeljak', 'utorak', 'sreda', 'četvrtak', 'petak', 'subota'], SHORTWEEKDAYS: ['ned', 'pon', 'uto', 'sre', 'čet', 'pet', 'sub'], STANDALONESHORTWEEKDAYS: ['ned', 'pon', 'uto', 'sre', 'čet', 'pet', 'sub'], NARROWWEEKDAYS: ['n', 'p', 'u', 's', 'č', 'p', 's'], STANDALONENARROWWEEKDAYS: ['n', 'p', 'u', 's', 'č', 'p', 's'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['1. kvartal', '2. kvartal', '3. kvartal', '4. kvartal'], AMPMS: ['pre podne', 'popodne'], DATEFORMATS: ['EEEE, dd. MMMM y.', 'd.MM.yyyy.', 'dd.MM.y.', 'd.M.yy.'], TIMEFORMATS: ['HH.mm.ss zzzz', 'HH.mm.ss z', 'HH.mm.ss', 'HH.mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale sr_Latn_RS. */ goog.i18n.DateTimeSymbols_sr_Latn_RS = goog.i18n.DateTimeSymbols_sr_Latn; /** * Date/time formatting symbols for locale ss. */ goog.i18n.DateTimeSymbols_ss = { ERAS: ['BCE', 'CE'], ERANAMES: ['BCE', 'CE'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['Bhimbidvwane', 'iNdlovana', 'iNdlovu-lenkhulu', 'Mabasa', 'iNkhwekhweti', 'iNhlaba', 'Kholwane', 'iNgci', 'iNyoni', 'iMphala', 'Lweti', 'iNgongoni'], STANDALONEMONTHS: ['Bhimbidvwane', 'iNdlovana', 'iNdlovu-lenkhulu', 'Mabasa', 'iNkhwekhweti', 'iNhlaba', 'Kholwane', 'iNgci', 'iNyoni', 'iMphala', 'Lweti', 'iNgongoni'], SHORTMONTHS: ['Bhi', 'Van', 'Vol', 'Mab', 'Nkh', 'Nhl', 'Kho', 'Ngc', 'Nyo', 'Mph', 'Lwe', 'Ngo'], STANDALONESHORTMONTHS: ['Bhi', 'Van', 'Vol', 'Mab', 'Nkh', 'Nhl', 'Kho', 'Ngc', 'Nyo', 'Mph', 'Lwe', 'Ngo'], WEEKDAYS: ['Lisontfo', 'uMsombuluko', 'Lesibili', 'Lesitsatfu', 'Lesine', 'Lesihlanu', 'uMgcibelo'], STANDALONEWEEKDAYS: ['Lisontfo', 'uMsombuluko', 'Lesibili', 'Lesitsatfu', 'Lesine', 'Lesihlanu', 'uMgcibelo'], SHORTWEEKDAYS: ['Son', 'Mso', 'Bil', 'Tsa', 'Ne', 'Hla', 'Mgc'], STANDALONESHORTWEEKDAYS: ['Son', 'Mso', 'Bil', 'Tsa', 'Ne', 'Hla', 'Mgc'], NARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], STANDALONENARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, y MMMM dd', 'y MMMM d', 'y MMM d', 'yyyy-MM-dd'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale ss_SZ. */ goog.i18n.DateTimeSymbols_ss_SZ = goog.i18n.DateTimeSymbols_ss; /** * Date/time formatting symbols for locale ss_ZA. */ goog.i18n.DateTimeSymbols_ss_ZA = goog.i18n.DateTimeSymbols_ss; /** * Date/time formatting symbols for locale ssy. */ goog.i18n.DateTimeSymbols_ssy = { ERAS: ['Yaasuusuk Duma', 'Yaasuusuk Wadir'], ERANAMES: ['Yaasuusuk Duma', 'Yaasuusuk Wadir'], NARROWMONTHS: ['Q', 'N', 'C', 'A', 'C', 'Q', 'Q', 'L', 'W', 'D', 'X', 'K'], STANDALONENARROWMONTHS: ['Q', 'N', 'C', 'A', 'C', 'Q', 'Q', 'L', 'W', 'D', 'X', 'K'], MONTHS: ['Qunxa Garablu', 'Kudo', 'Ciggilta Kudo', 'Agda Baxis', 'Caxah Alsa', 'Qasa Dirri', 'Qado Dirri', 'Liiqen', 'Waysu', 'Diteli', 'Ximoli', 'Kaxxa Garablu'], STANDALONEMONTHS: ['Qunxa Garablu', 'Kudo', 'Ciggilta Kudo', 'Agda Baxis', 'Caxah Alsa', 'Qasa Dirri', 'Qado Dirri', 'Liiqen', 'Waysu', 'Diteli', 'Ximoli', 'Kaxxa Garablu'], SHORTMONTHS: ['Qun', 'Nah', 'Cig', 'Agd', 'Cax', 'Qas', 'Qad', 'Leq', 'Way', 'Dit', 'Xim', 'Kax'], STANDALONESHORTMONTHS: ['Qun', 'Nah', 'Cig', 'Agd', 'Cax', 'Qas', 'Qad', 'Leq', 'Way', 'Dit', 'Xim', 'Kax'], WEEKDAYS: ['Naba Sambat', 'Sani', 'Salus', 'Rabuq', 'Camus', 'Jumqata', 'Qunxa Sambat'], STANDALONEWEEKDAYS: ['Naba Sambat', 'Sani', 'Salus', 'Rabuq', 'Camus', 'Jumqata', 'Qunxa Sambat'], SHORTWEEKDAYS: ['Nab', 'San', 'Sal', 'Rab', 'Cam', 'Jum', 'Qun'], STANDALONESHORTWEEKDAYS: ['Nab', 'San', 'Sal', 'Rab', 'Cam', 'Jum', 'Qun'], NARROWWEEKDAYS: ['N', 'S', 'S', 'R', 'C', 'J', 'Q'], STANDALONENARROWWEEKDAYS: ['N', 'S', 'S', 'R', 'C', 'J', 'Q'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], AMPMS: ['saaku', 'carra'], DATEFORMATS: ['EEEE, MMMM dd, y', 'dd MMMM y', 'dd-MMM-y', 'dd/MM/yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale ssy_ER. */ goog.i18n.DateTimeSymbols_ssy_ER = goog.i18n.DateTimeSymbols_ssy; /** * Date/time formatting symbols for locale st. */ goog.i18n.DateTimeSymbols_st = { ERAS: ['BCE', 'CE'], ERANAMES: ['BCE', 'CE'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['Phesekgong', 'Hlakola', 'Hlakubele', 'Mmese', 'Motsheanong', 'Phupjane', 'Phupu', 'Phata', 'Leotshe', 'Mphalane', 'Pundungwane', 'Tshitwe'], STANDALONEMONTHS: ['Phesekgong', 'Hlakola', 'Hlakubele', 'Mmese', 'Motsheanong', 'Phupjane', 'Phupu', 'Phata', 'Leotshe', 'Mphalane', 'Pundungwane', 'Tshitwe'], SHORTMONTHS: ['Phe', 'Kol', 'Ube', 'Mme', 'Mot', 'Jan', 'Upu', 'Pha', 'Leo', 'Mph', 'Pun', 'Tsh'], STANDALONESHORTMONTHS: ['Phe', 'Kol', 'Ube', 'Mme', 'Mot', 'Jan', 'Upu', 'Pha', 'Leo', 'Mph', 'Pun', 'Tsh'], WEEKDAYS: ['Sontaha', 'Mmantaha', 'Labobedi', 'Laboraru', 'Labone', 'Labohlane', 'Moqebelo'], STANDALONEWEEKDAYS: ['Sontaha', 'Mmantaha', 'Labobedi', 'Laboraru', 'Labone', 'Labohlane', 'Moqebelo'], SHORTWEEKDAYS: ['Son', 'Mma', 'Bed', 'Rar', 'Ne', 'Hla', 'Moq'], STANDALONESHORTWEEKDAYS: ['Son', 'Mma', 'Bed', 'Rar', 'Ne', 'Hla', 'Moq'], NARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], STANDALONENARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, y MMMM dd', 'y MMMM d', 'y MMM d', 'yyyy-MM-dd'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale st_LS. */ goog.i18n.DateTimeSymbols_st_LS = goog.i18n.DateTimeSymbols_st; /** * Date/time formatting symbols for locale st_ZA. */ goog.i18n.DateTimeSymbols_st_ZA = goog.i18n.DateTimeSymbols_st; /** * Date/time formatting symbols for locale sv_FI. */ goog.i18n.DateTimeSymbols_sv_FI = { ERAS: ['f.Kr.', 'e.Kr.'], ERANAMES: ['före Kristus', 'efter Kristus'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['januari', 'februari', 'mars', 'april', 'maj', 'juni', 'juli', 'augusti', 'september', 'oktober', 'november', 'december'], STANDALONEMONTHS: ['januari', 'februari', 'mars', 'april', 'maj', 'juni', 'juli', 'augusti', 'september', 'oktober', 'november', 'december'], SHORTMONTHS: ['jan', 'feb', 'mar', 'apr', 'maj', 'jun', 'jul', 'aug', 'sep', 'okt', 'nov', 'dec'], STANDALONESHORTMONTHS: ['jan', 'feb', 'mar', 'apr', 'maj', 'jun', 'jul', 'aug', 'sep', 'okt', 'nov', 'dec'], WEEKDAYS: ['söndag', 'måndag', 'tisdag', 'onsdag', 'torsdag', 'fredag', 'lördag'], STANDALONEWEEKDAYS: ['söndag', 'måndag', 'tisdag', 'onsdag', 'torsdag', 'fredag', 'lördag'], SHORTWEEKDAYS: ['sön', 'mån', 'tis', 'ons', 'tors', 'fre', 'lör'], STANDALONESHORTWEEKDAYS: ['sön', 'mån', 'tis', 'ons', 'tor', 'fre', 'lör'], NARROWWEEKDAYS: ['S', 'M', 'T', 'O', 'T', 'F', 'L'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'T', 'O', 'T', 'F', 'L'], SHORTQUARTERS: ['K1', 'K2', 'K3', 'K4'], QUARTERS: ['1:a kvartalet', '2:a kvartalet', '3:e kvartalet', '4:e kvartalet'], AMPMS: ['fm', 'em'], DATEFORMATS: ['EEEE\'en\' \'den\' d:\'e\' MMMM y', 'd MMMM y', 'd MMM y', 'yyyy-MM-dd'], TIMEFORMATS: ['\'kl\'. HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale sv_SE. */ goog.i18n.DateTimeSymbols_sv_SE = { ERAS: ['f.Kr.', 'e.Kr.'], ERANAMES: ['före Kristus', 'efter Kristus'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['januari', 'februari', 'mars', 'april', 'maj', 'juni', 'juli', 'augusti', 'september', 'oktober', 'november', 'december'], STANDALONEMONTHS: ['januari', 'februari', 'mars', 'april', 'maj', 'juni', 'juli', 'augusti', 'september', 'oktober', 'november', 'december'], SHORTMONTHS: ['jan', 'feb', 'mar', 'apr', 'maj', 'jun', 'jul', 'aug', 'sep', 'okt', 'nov', 'dec'], STANDALONESHORTMONTHS: ['jan', 'feb', 'mar', 'apr', 'maj', 'jun', 'jul', 'aug', 'sep', 'okt', 'nov', 'dec'], WEEKDAYS: ['söndag', 'måndag', 'tisdag', 'onsdag', 'torsdag', 'fredag', 'lördag'], STANDALONEWEEKDAYS: ['söndag', 'måndag', 'tisdag', 'onsdag', 'torsdag', 'fredag', 'lördag'], SHORTWEEKDAYS: ['sön', 'mån', 'tis', 'ons', 'tors', 'fre', 'lör'], STANDALONESHORTWEEKDAYS: ['sön', 'mån', 'tis', 'ons', 'tor', 'fre', 'lör'], NARROWWEEKDAYS: ['S', 'M', 'T', 'O', 'T', 'F', 'L'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'T', 'O', 'T', 'F', 'L'], SHORTQUARTERS: ['K1', 'K2', 'K3', 'K4'], QUARTERS: ['1:a kvartalet', '2:a kvartalet', '3:e kvartalet', '4:e kvartalet'], AMPMS: ['fm', 'em'], DATEFORMATS: ['EEEE\'en\' \'den\' d:\'e\' MMMM y', 'd MMMM y', 'd MMM y', 'yyyy-MM-dd'], TIMEFORMATS: ['\'kl\'. HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale sw_KE. */ goog.i18n.DateTimeSymbols_sw_KE = { ERAS: ['KK', 'BK'], ERANAMES: ['Kabla ya Kristo', 'Baada ya Kristo'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['Januari', 'Februari', 'Machi', 'Aprili', 'Mei', 'Juni', 'Julai', 'Agosti', 'Septemba', 'Oktoba', 'Novemba', 'Desemba'], STANDALONEMONTHS: ['Januari', 'Februari', 'Machi', 'Aprili', 'Mei', 'Juni', 'Julai', 'Agosti', 'Septemba', 'Oktoba', 'Novemba', 'Desemba'], SHORTMONTHS: ['Jan', 'Feb', 'Mac', 'Apr', 'Mei', 'Jun', 'Jul', 'Ago', 'Sep', 'Okt', 'Nov', 'Des'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mac', 'Apr', 'Mei', 'Jun', 'Jul', 'Ago', 'Sep', 'Okt', 'Nov', 'Des'], WEEKDAYS: ['Jumapili', 'Jumatatu', 'Jumanne', 'Jumatano', 'Alhamisi', 'Ijumaa', 'Jumamosi'], STANDALONEWEEKDAYS: ['Jumapili', 'Jumatatu', 'Jumanne', 'Jumatano', 'Alhamisi', 'Ijumaa', 'Jumamosi'], SHORTWEEKDAYS: ['J2', 'J3', 'J4', 'J5', 'Alh', 'Ij', 'J1'], STANDALONESHORTWEEKDAYS: ['J2', 'J3', 'J4', 'J5', 'Alh', 'Ij', 'J1'], NARROWWEEKDAYS: ['2', '3', '4', '5', 'A', 'I', '1'], STANDALONENARROWWEEKDAYS: ['2', '3', '4', '5', 'A', 'I', '1'], SHORTQUARTERS: ['R1', 'R2', 'R3', 'R4'], QUARTERS: ['Robo 1', 'Robo 2', 'Robo 3', 'Robo 4'], AMPMS: ['asubuhi', 'alasiri'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yyyy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale sw_TZ. */ goog.i18n.DateTimeSymbols_sw_TZ = { ERAS: ['KK', 'BK'], ERANAMES: ['Kabla ya Kristo', 'Baada ya Kristo'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['Januari', 'Februari', 'Machi', 'Aprili', 'Mei', 'Juni', 'Julai', 'Agosti', 'Septemba', 'Oktoba', 'Novemba', 'Desemba'], STANDALONEMONTHS: ['Januari', 'Februari', 'Machi', 'Aprili', 'Mei', 'Juni', 'Julai', 'Agosti', 'Septemba', 'Oktoba', 'Novemba', 'Desemba'], SHORTMONTHS: ['Jan', 'Feb', 'Mac', 'Apr', 'Mei', 'Jun', 'Jul', 'Ago', 'Sep', 'Okt', 'Nov', 'Des'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mac', 'Apr', 'Mei', 'Jun', 'Jul', 'Ago', 'Sep', 'Okt', 'Nov', 'Des'], WEEKDAYS: ['Jumapili', 'Jumatatu', 'Jumanne', 'Jumatano', 'Alhamisi', 'Ijumaa', 'Jumamosi'], STANDALONEWEEKDAYS: ['Jumapili', 'Jumatatu', 'Jumanne', 'Jumatano', 'Alhamisi', 'Ijumaa', 'Jumamosi'], SHORTWEEKDAYS: ['J2', 'J3', 'J4', 'J5', 'Alh', 'Ij', 'J1'], STANDALONESHORTWEEKDAYS: ['J2', 'J3', 'J4', 'J5', 'Alh', 'Ij', 'J1'], NARROWWEEKDAYS: ['2', '3', '4', '5', 'A', 'I', '1'], STANDALONENARROWWEEKDAYS: ['2', '3', '4', '5', 'A', 'I', '1'], SHORTQUARTERS: ['R1', 'R2', 'R3', 'R4'], QUARTERS: ['Robo 1', 'Robo 2', 'Robo 3', 'Robo 4'], AMPMS: ['asubuhi', 'alasiri'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yyyy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale swc. */ goog.i18n.DateTimeSymbols_swc = { ERAS: ['mbele ya Y', 'kisha ya Y'], ERANAMES: ['mbele ya Yezu Kristo', 'kisha ya Yezu Kristo'], NARROWMONTHS: ['k', 'p', 't', 'i', 't', 's', 's', 'm', 't', 'k', 'm', 'm'], STANDALONENARROWMONTHS: ['k', 'p', 't', 'i', 't', 's', 's', 'm', 't', 'k', 'm', 'm'], MONTHS: ['mwezi ya kwanja', 'mwezi ya pili', 'mwezi ya tatu', 'mwezi ya ine', 'mwezi ya tanu', 'mwezi ya sita', 'mwezi ya saba', 'mwezi ya munane', 'mwezi ya tisa', 'mwezi ya kumi', 'mwezi ya kumi na moya', 'mwezi ya kumi ya mbili'], STANDALONEMONTHS: ['mwezi ya kwanja', 'mwezi ya pili', 'mwezi ya tatu', 'mwezi ya ine', 'mwezi ya tanu', 'mwezi ya sita', 'mwezi ya saba', 'mwezi ya munane', 'mwezi ya tisa', 'mwezi ya kumi', 'mwezi ya kumi na moya', 'mwezi ya kumi ya mbili'], SHORTMONTHS: ['mkw', 'mpi', 'mtu', 'min', 'mtn', 'mst', 'msb', 'mun', 'mts', 'mku', 'mkm', 'mkb'], STANDALONESHORTMONTHS: ['mkw', 'mpi', 'mtu', 'min', 'mtn', 'mst', 'msb', 'mun', 'mts', 'mku', 'mkm', 'mkb'], WEEKDAYS: ['siku ya yenga', 'siku ya kwanza', 'siku ya pili', 'siku ya tatu', 'siku ya ine', 'siku ya tanu', 'siku ya sita'], STANDALONEWEEKDAYS: ['siku ya yenga', 'siku ya kwanza', 'siku ya pili', 'siku ya tatu', 'siku ya ine', 'siku ya tanu', 'siku ya sita'], SHORTWEEKDAYS: ['yen', 'kwa', 'pil', 'tat', 'ine', 'tan', 'sit'], STANDALONESHORTWEEKDAYS: ['yen', 'kwa', 'pil', 'tat', 'ine', 'tan', 'sit'], NARROWWEEKDAYS: ['y', 'k', 'p', 't', 'i', 't', 's'], STANDALONENARROWWEEKDAYS: ['y', 'k', 'p', 't', 'i', 't', 's'], SHORTQUARTERS: ['R1', 'R2', 'R3', 'R4'], QUARTERS: ['Robo 1', 'Robo 2', 'Robo 3', 'Robo 4'], AMPMS: ['ya asubuyi', 'ya muchana'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'd/M/yyyy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale swc_CD. */ goog.i18n.DateTimeSymbols_swc_CD = goog.i18n.DateTimeSymbols_swc; /** * Date/time formatting symbols for locale ta_IN. */ goog.i18n.DateTimeSymbols_ta_IN = { ERAS: ['கி.மு.', 'கி.பி.'], ERANAMES: ['கிறிஸ்துவுக்கு முன்', 'அனோ டோமினி'], NARROWMONTHS: ['ஜ', 'பி', 'மா', 'ஏ', 'மே', 'ஜூ', 'ஜூ', 'ஆ', 'செ', 'அ', 'ந', 'டி'], STANDALONENARROWMONTHS: ['ஜ', 'பி', 'மா', 'ஏ', 'மே', 'ஜூ', 'ஜூ', 'ஆ', 'செ', 'அ', 'ந', 'டி'], MONTHS: ['ஜனவரி', 'பிப்ரவரி', 'மார்ச்', 'ஏப்ரல்', 'மே', 'ஜூன்', 'ஜூலை', 'ஆகஸ்ட்', 'செப்டம்பர்', 'அக்டோபர்', 'நவம்பர்', 'டிசம்பர்'], STANDALONEMONTHS: ['ஜனவரி', 'பிப்ரவரி', 'மார்ச்', 'ஏப்ரல்', 'மே', 'ஜூன்', 'ஜூலை', 'ஆகஸ்டு', 'செப்டம்பர்', 'அக்டோபர்', 'நவம்பர்', 'டிசம்பர்'], SHORTMONTHS: ['ஜன.', 'பிப்.', 'மார்.', 'ஏப்.', 'மே', 'ஜூன்', 'ஜூலை', 'ஆக.', 'செப்.', 'அக்.', 'நவ.', 'டிச.'], STANDALONESHORTMONTHS: ['ஜன.', 'பிப்.', 'மார்.', 'ஏப்.', 'மே', 'ஜூன்', 'ஜூலை', 'ஆக.', 'செப்.', 'அக்.', 'நவ.', 'டிச.'], WEEKDAYS: ['ஞாயிறு', 'திங்கள்', 'செவ்வாய்', 'புதன்', 'வியாழன்', 'வெள்ளி', 'சனி'], STANDALONEWEEKDAYS: ['ஞாயிறு', 'திங்கள்', 'செவ்வாய்', 'புதன்', 'வியாழன்', 'வெள்ளி', 'சனி'], SHORTWEEKDAYS: ['ஞா', 'தி', 'செ', 'பு', 'வி', 'வெ', 'ச'], STANDALONESHORTWEEKDAYS: ['ஞா', 'தி', 'செ', 'பு', 'வி', 'வெ', 'ச'], NARROWWEEKDAYS: ['ஞா', 'தி', 'செ', 'பு', 'வி', 'வெ', 'ச'], STANDALONENARROWWEEKDAYS: ['ஞா', 'தி', 'செ', 'பு', 'வி', 'வெ', 'ச'], SHORTQUARTERS: ['காலாண்டு1', 'காலாண்டு2', 'காலாண்டு3', 'காலாண்டு4'], QUARTERS: ['முதல் காலாண்டு', 'இரண்டாம் காலாண்டு', 'மூன்றாம் காலாண்டு', 'நான்காம் காலாண்டு'], AMPMS: ['am', 'pm'], DATEFORMATS: ['EEEE, d MMMM, y', 'd MMMM, y', 'd MMM, y', 'd-M-yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [6, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale ta_LK. */ goog.i18n.DateTimeSymbols_ta_LK = { ERAS: ['கி.மு.', 'கி.பி.'], ERANAMES: ['கிறிஸ்துவுக்கு முன்', 'அனோ டோமினி'], NARROWMONTHS: ['ஜ', 'பி', 'மா', 'ஏ', 'மே', 'ஜூ', 'ஜூ', 'ஆ', 'செ', 'அ', 'ந', 'டி'], STANDALONENARROWMONTHS: ['ஜ', 'பி', 'மா', 'ஏ', 'மே', 'ஜூ', 'ஜூ', 'ஆ', 'செ', 'அ', 'ந', 'டி'], MONTHS: ['ஜனவரி', 'பிப்ரவரி', 'மார்ச்', 'ஏப்ரல்', 'மே', 'ஜூன்', 'ஜூலை', 'ஆகஸ்ட்', 'செப்டம்பர்', 'அக்டோபர்', 'நவம்பர்', 'டிசம்பர்'], STANDALONEMONTHS: ['ஜனவரி', 'பிப்ரவரி', 'மார்ச்', 'ஏப்ரல்', 'மே', 'ஜூன்', 'ஜூலை', 'ஆகஸ்டு', 'செப்டம்பர்', 'அக்டோபர்', 'நவம்பர்', 'டிசம்பர்'], SHORTMONTHS: ['ஜன.', 'பிப்.', 'மார்.', 'ஏப்.', 'மே', 'ஜூன்', 'ஜூலை', 'ஆக.', 'செப்.', 'அக்.', 'நவ.', 'டிச.'], STANDALONESHORTMONTHS: ['ஜன.', 'பிப்.', 'மார்.', 'ஏப்.', 'மே', 'ஜூன்', 'ஜூலை', 'ஆக.', 'செப்.', 'அக்.', 'நவ.', 'டிச.'], WEEKDAYS: ['ஞாயிறு', 'திங்கள்', 'செவ்வாய்', 'புதன்', 'வியாழன்', 'வெள்ளி', 'சனி'], STANDALONEWEEKDAYS: ['ஞாயிறு', 'திங்கள்', 'செவ்வாய்', 'புதன்', 'வியாழன்', 'வெள்ளி', 'சனி'], SHORTWEEKDAYS: ['ஞா', 'தி', 'செ', 'பு', 'வி', 'வெ', 'ச'], STANDALONESHORTWEEKDAYS: ['ஞா', 'தி', 'செ', 'பு', 'வி', 'வெ', 'ச'], NARROWWEEKDAYS: ['ஞா', 'தி', 'செ', 'பு', 'வி', 'வெ', 'ச'], STANDALONENARROWWEEKDAYS: ['ஞா', 'தி', 'செ', 'பு', 'வி', 'வெ', 'ச'], SHORTQUARTERS: ['காலாண்டு1', 'காலாண்டு2', 'காலாண்டு3', 'காலாண்டு4'], QUARTERS: ['முதல் காலாண்டு', 'இரண்டாம் காலாண்டு', 'மூன்றாம் காலாண்டு', 'நான்காம் காலாண்டு'], AMPMS: ['am', 'pm'], DATEFORMATS: ['EEEE, d MMMM, y', 'd MMMM, y', 'd MMM, y', 'd-M-yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale te_IN. */ goog.i18n.DateTimeSymbols_te_IN = { ERAS: ['ఈసాపూర్వ.', 'సన్.'], ERANAMES: ['ఈసాపూర్వ.', 'సన్.'], NARROWMONTHS: ['జ', 'ఫి', 'మా', 'ఏ', 'మె', 'జు', 'జు', 'ఆ', 'సె', 'అ', 'న', 'డి'], STANDALONENARROWMONTHS: ['జ', 'ఫి', 'మ', 'ఎ', 'మె', 'జు', 'జు', 'ఆ', 'సె', 'అ', 'న', 'డి'], MONTHS: ['జనవరి', 'ఫిబ్రవరి', 'మార్చి', 'ఎప్రిల్', 'మే', 'జూన్', 'జూలై', 'ఆగస్టు', 'సెప్టెంబర్', 'అక్టోబర్', 'నవంబర్', 'డిసెంబర్'], STANDALONEMONTHS: ['జనవరి', 'ఫిబ్రవరి', 'మార్చి', 'ఎప్రిల్', 'మే', 'జూన్', 'జూలై', 'ఆగస్టు', 'సెప్టెంబర్', 'అక్టోబర్', 'నవంబర్', 'డిసెంబర్'], SHORTMONTHS: ['జన', 'ఫిబ్ర', 'మార్చి', 'ఏప్రి', 'మే', 'జూన్', 'జూలై', 'ఆగస్టు', 'సెప్టెంబర్', 'అక్టోబర్', 'నవంబర్', 'డిసెంబర్'], STANDALONESHORTMONTHS: ['జన', 'ఫిబ్ర', 'మార్చి', 'ఏప్రి', 'మే', 'జూన్', 'జూలై', 'ఆగస్టు', 'సెప్టెంబర్', 'అక్టోబర్', 'నవంబర్', 'డిసెంబర్'], WEEKDAYS: ['ఆదివారం', 'సోమవారం', 'మంగళవారం', 'బుధవారం', 'గురువారం', 'శుక్రవారం', 'శనివారం'], STANDALONEWEEKDAYS: ['ఆదివారం', 'సోమవారం', 'మంగళవారం', 'బుధవారం', 'గురువారం', 'శుక్రవారం', 'శనివారం'], SHORTWEEKDAYS: ['ఆది', 'సోమ', 'మంగళ', 'బుధ', 'గురు', 'శుక్ర', 'శని'], STANDALONESHORTWEEKDAYS: ['ఆది', 'సోమ', 'మంగళ', 'బుధ', 'గురు', 'శుక్ర', 'శని'], NARROWWEEKDAYS: ['ఆ', 'సో', 'మ', 'బు', 'గు', 'శు', 'శ'], STANDALONENARROWWEEKDAYS: ['ఆ', 'సో', 'మ', 'బు', 'గు', 'శు', 'శ'], SHORTQUARTERS: ['ఒకటి 1', 'రెండు 2', 'మూడు 3', 'నాలుగు 4'], QUARTERS: ['ఒకటి 1', 'రెండు 2', 'మూడు 3', 'నాలుగు 4'], AMPMS: ['am', 'pm'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'dd-MM-yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [6, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale teo. */ goog.i18n.DateTimeSymbols_teo = { ERAS: ['KK', 'BK'], ERANAMES: ['Kabla ya Christo', 'Baada ya Christo'], NARROWMONTHS: ['R', 'M', 'K', 'D', 'M', 'M', 'J', 'P', 'S', 'T', 'L', 'P'], STANDALONENARROWMONTHS: ['R', 'M', 'K', 'D', 'M', 'M', 'J', 'P', 'S', 'T', 'L', 'P'], MONTHS: ['Orara', 'Omuk', 'Okwamg\'', 'Odung\'el', 'Omaruk', 'Omodok\'king\'ol', 'Ojola', 'Opedel', 'Osokosokoma', 'Otibar', 'Olabor', 'Opoo'], STANDALONEMONTHS: ['Orara', 'Omuk', 'Okwamg\'', 'Odung\'el', 'Omaruk', 'Omodok\'king\'ol', 'Ojola', 'Opedel', 'Osokosokoma', 'Otibar', 'Olabor', 'Opoo'], SHORTMONTHS: ['Rar', 'Muk', 'Kwa', 'Dun', 'Mar', 'Mod', 'Jol', 'Ped', 'Sok', 'Tib', 'Lab', 'Poo'], STANDALONESHORTMONTHS: ['Rar', 'Muk', 'Kwa', 'Dun', 'Mar', 'Mod', 'Jol', 'Ped', 'Sok', 'Tib', 'Lab', 'Poo'], WEEKDAYS: ['Nakaejuma', 'Nakaebarasa', 'Nakaare', 'Nakauni', 'Nakaung\'on', 'Nakakany', 'Nakasabiti'], STANDALONEWEEKDAYS: ['Nakaejuma', 'Nakaebarasa', 'Nakaare', 'Nakauni', 'Nakaung\'on', 'Nakakany', 'Nakasabiti'], SHORTWEEKDAYS: ['Jum', 'Bar', 'Aar', 'Uni', 'Ung', 'Kan', 'Sab'], STANDALONESHORTWEEKDAYS: ['Jum', 'Bar', 'Aar', 'Uni', 'Ung', 'Kan', 'Sab'], NARROWWEEKDAYS: ['J', 'B', 'A', 'U', 'U', 'K', 'S'], STANDALONENARROWWEEKDAYS: ['J', 'B', 'A', 'U', 'U', 'K', 'S'], SHORTQUARTERS: ['K1', 'K2', 'K3', 'K4'], QUARTERS: ['Akwota abe', 'Akwota Aane', 'Akwota auni', 'Akwota Aung\'on'], AMPMS: ['Taparachu', 'Ebongi'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yyyy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale teo_KE. */ goog.i18n.DateTimeSymbols_teo_KE = goog.i18n.DateTimeSymbols_teo; /** * Date/time formatting symbols for locale teo_UG. */ goog.i18n.DateTimeSymbols_teo_UG = goog.i18n.DateTimeSymbols_teo; /** * Date/time formatting symbols for locale tg. */ goog.i18n.DateTimeSymbols_tg = { ERAS: ['ПеМ', 'ПаМ'], ERANAMES: ['Пеш аз милод', 'ПаМ'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['Январ', 'Феврал', 'Март', 'Апрел', 'Май', 'Июн', 'Июл', 'Август', 'Сентябр', 'Октябр', 'Ноябр', 'Декабр'], STANDALONEMONTHS: ['Январ', 'Феврал', 'Март', 'Апрел', 'Май', 'Июн', 'Июл', 'Август', 'Сентябр', 'Октябр', 'Ноябр', 'Декабр'], SHORTMONTHS: ['Янв', 'Фев', 'Мар', 'Апр', 'Май', 'Июн', 'Июл', 'Авг', 'Сен', 'Окт', 'Ноя', 'Дек'], STANDALONESHORTMONTHS: ['Янв', 'Фев', 'Мар', 'Апр', 'Май', 'Июн', 'Июл', 'Авг', 'Сен', 'Окт', 'Ноя', 'Дек'], WEEKDAYS: ['Якшанбе', 'Душанбе', 'Сешанбе', 'Чоршанбе', 'Панҷшанбе', 'Ҷумъа', 'Шанбе'], STANDALONEWEEKDAYS: ['Якшанбе', 'Душанбе', 'Сешанбе', 'Чоршанбе', 'Панҷшанбе', 'Ҷумъа', 'Шанбе'], SHORTWEEKDAYS: ['Яшб', 'Дшб', 'Сшб', 'Чшб', 'Пшб', 'Ҷмъ', 'Шнб'], STANDALONESHORTWEEKDAYS: ['Яшб', 'Дшб', 'Сшб', 'Чшб', 'Пшб', 'Ҷмъ', 'Шнб'], NARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], STANDALONENARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], AMPMS: ['пе. чо.', 'па. чо.'], DATEFORMATS: ['EEEE, y MMMM dd', 'y MMMM d', 'y MMM d', 'yy/MM/dd'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale tg_Cyrl. */ goog.i18n.DateTimeSymbols_tg_Cyrl = goog.i18n.DateTimeSymbols_tg; /** * Date/time formatting symbols for locale tg_Cyrl_TJ. */ goog.i18n.DateTimeSymbols_tg_Cyrl_TJ = goog.i18n.DateTimeSymbols_tg; /** * Date/time formatting symbols for locale th_TH. */ goog.i18n.DateTimeSymbols_th_TH = { ERAS: ['ปีก่อน ค.ศ.', 'ค.ศ.'], ERANAMES: ['ปีก่อนคริสต์ศักราช', 'คริสต์ศักราช'], NARROWMONTHS: ['ม.ค.', 'ก.พ.', 'มี.ค.', 'เม.ย.', 'พ.ค.', 'มิ.ย', 'ก.ค.', 'ส.ค.', 'ก.ย.', 'ต.ค.', 'พ.ย.', 'ธ.ค.'], STANDALONENARROWMONTHS: ['ม.ค.', 'ก.พ.', 'มี.ค.', 'เม.ย.', 'พ.ค.', 'มิ.ย.', 'ก.ค.', 'ส.ค.', 'ก.ย.', 'ต.ค.', 'พ.ย.', 'ธ.ค.'], MONTHS: ['มกราคม', 'กุมภาพันธ์', 'มีนาคม', 'เมษายน', 'พฤษภาคม', 'มิถุนายน', 'กรกฎาคม', 'สิงหาคม', 'กันยายน', 'ตุลาคม', 'พฤศจิกายน', 'ธันวาคม'], STANDALONEMONTHS: ['มกราคม', 'กุมภาพันธ์', 'มีนาคม', 'เมษายน', 'พฤษภาคม', 'มิถุนายน', 'กรกฎาคม', 'สิงหาคม', 'กันยายน', 'ตุลาคม', 'พฤศจิกายน', 'ธันวาคม'], SHORTMONTHS: ['ม.ค.', 'ก.พ.', 'มี.ค.', 'เม.ย.', 'พ.ค.', 'มิ.ย.', 'ก.ค.', 'ส.ค.', 'ก.ย.', 'ต.ค.', 'พ.ย.', 'ธ.ค.'], STANDALONESHORTMONTHS: ['ม.ค.', 'ก.พ.', 'มี.ค.', 'เม.ย.', 'พ.ค.', 'มิ.ย.', 'ก.ค.', 'ส.ค.', 'ก.ย.', 'ต.ค.', 'พ.ย.', 'ธ.ค.'], WEEKDAYS: ['วันอาทิตย์', 'วันจันทร์', 'วันอังคาร', 'วันพุธ', 'วันพฤหัสบดี', 'วันศุกร์', 'วันเสาร์'], STANDALONEWEEKDAYS: ['วันอาทิตย์', 'วันจันทร์', 'วันอังคาร', 'วันพุธ', 'วันพฤหัสบดี', 'วันศุกร์', 'วันเสาร์'], SHORTWEEKDAYS: ['อา.', 'จ.', 'อ.', 'พ.', 'พฤ.', 'ศ.', 'ส.'], STANDALONESHORTWEEKDAYS: ['อา.', 'จ.', 'อ.', 'พ.', 'พฤ.', 'ศ.', 'ส.'], NARROWWEEKDAYS: ['อ', 'จ', 'อ', 'พ', 'พ', 'ศ', 'ส'], STANDALONENARROWWEEKDAYS: ['อ', 'จ', 'อ', 'พ', 'พ', 'ศ', 'ส'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['ไตรมาส 1', 'ไตรมาส 2', 'ไตรมาส 3', 'ไตรมาส 4'], AMPMS: ['ก่อนเที่ยง', 'หลังเที่ยง'], DATEFORMATS: ['EEEEที่ d MMMM G y', 'd MMMM y', 'd MMM y', 'd/M/yyyy'], TIMEFORMATS: [ 'H นาฬิกา m นาที ss วินาที zzzz', 'H นาฬิกา m นาที ss วินาที z', 'H:mm:ss', 'H:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale ti. */ goog.i18n.DateTimeSymbols_ti = { ERAS: ['ዓ/ዓ', 'ዓ/ም'], ERANAMES: ['ዓ/ዓ', 'ዓ/ም'], NARROWMONTHS: ['ጃ', 'ፌ', 'ማ', 'ኤ', 'ሜ', 'ጁ', 'ጁ', 'ኦ', 'ሴ', 'ኦ', 'ኖ', 'ዲ'], STANDALONENARROWMONTHS: ['ጃ', 'ፌ', 'ማ', 'ኤ', 'ሜ', 'ጁ', 'ጁ', 'ኦ', 'ሴ', 'ኦ', 'ኖ', 'ዲ'], MONTHS: ['ጃንዩወሪ', 'ፌብሩወሪ', 'ማርች', 'ኤፕረል', 'ሜይ', 'ጁን', 'ጁላይ', 'ኦገስት', 'ሴፕቴምበር', 'ኦክተውበር', 'ኖቬምበር', 'ዲሴምበር'], STANDALONEMONTHS: ['ጃንዩወሪ', 'ፌብሩወሪ', 'ማርች', 'ኤፕረል', 'ሜይ', 'ጁን', 'ጁላይ', 'ኦገስት', 'ሴፕቴምበር', 'ኦክተውበር', 'ኖቬምበር', 'ዲሴምበር'], SHORTMONTHS: ['ጃንዩ', 'ፌብሩ', 'ማርች', 'ኤፕረ', 'ሜይ', 'ጁን', 'ጁላይ', 'ኦገስ', 'ሴፕቴ', 'ኦክተ', 'ኖቬም', 'ዲሴም'], STANDALONESHORTMONTHS: ['ጃንዩ', 'ፌብሩ', 'ማርች', 'ኤፕረ', 'ሜይ', 'ጁን', 'ጁላይ', 'ኦገስ', 'ሴፕቴ', 'ኦክተ', 'ኖቬም', 'ዲሴም'], WEEKDAYS: ['ሰንበት', 'ሰኑይ', 'ሠሉስ', 'ረቡዕ', 'ኃሙስ', 'ዓርቢ', 'ቀዳም'], STANDALONEWEEKDAYS: ['ሰንበት', 'ሰኑይ', 'ሠሉስ', 'ረቡዕ', 'ኃሙስ', 'ዓርቢ', 'ቀዳም'], SHORTWEEKDAYS: ['ሰንበት', 'ሰኑይ', 'ሠሉስ', 'ረቡዕ', 'ኃሙስ', 'ዓርቢ', 'ቀዳም'], STANDALONESHORTWEEKDAYS: ['ሰንበት', 'ሰኑይ', 'ሠሉስ', 'ረቡዕ', 'ኃሙስ', 'ዓርቢ', 'ቀዳም'], NARROWWEEKDAYS: ['ሰ', 'ሰ', 'ሠ', 'ረ', 'ኃ', 'ዓ', 'ቀ'], STANDALONENARROWWEEKDAYS: ['ሰ', 'ሰ', 'ሠ', 'ረ', 'ኃ', 'ዓ', 'ቀ'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], AMPMS: ['ንጉሆ ሰዓተ', 'ድሕር ሰዓት'], DATEFORMATS: ['EEEE፣ dd MMMM መዓልቲ y G', 'dd MMMM y', 'dd-MMM-y', 'dd/MM/yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale ti_ER. */ goog.i18n.DateTimeSymbols_ti_ER = { ERAS: ['ዓ/ዓ', 'ዓ/ም'], ERANAMES: ['ዓ/ዓ', 'ዓ/ም'], NARROWMONTHS: ['ጃ', 'ፌ', 'ማ', 'ኤ', 'ሜ', 'ጁ', 'ጁ', 'ኦ', 'ሴ', 'ኦ', 'ኖ', 'ዲ'], STANDALONENARROWMONTHS: ['ጃ', 'ፌ', 'ማ', 'ኤ', 'ሜ', 'ጁ', 'ጁ', 'ኦ', 'ሴ', 'ኦ', 'ኖ', 'ዲ'], MONTHS: ['ጥሪ', 'ለካቲት', 'መጋቢት', 'ሚያዝያ', 'ግንቦት', 'ሰነ', 'ሓምለ', 'ነሓሰ', 'መስከረም', 'ጥቅምቲ', 'ሕዳር', 'ታሕሳስ'], STANDALONEMONTHS: ['ጥሪ', 'ለካቲት', 'መጋቢት', 'ሚያዝያ', 'ግንቦት', 'ሰነ', 'ሓምለ', 'ነሓሰ', 'መስከረም', 'ጥቅምቲ', 'ሕዳር', 'ታሕሳስ'], SHORTMONTHS: ['ጥሪ', 'ለካቲ', 'መጋቢ', 'ሚያዝ', 'ግንቦ', 'ሰነ', 'ሓምለ', 'ነሓሰ', 'መስከ', 'ጥቅም', 'ሕዳር', 'ታሕሳ'], STANDALONESHORTMONTHS: ['ጥሪ', 'ለካቲ', 'መጋቢ', 'ሚያዝ', 'ግንቦ', 'ሰነ', 'ሓምለ', 'ነሓሰ', 'መስከ', 'ጥቅም', 'ሕዳር', 'ታሕሳ'], WEEKDAYS: ['ሰንበት', 'ሰኑይ', 'ሰሉስ', 'ረቡዕ', 'ሓሙስ', 'ዓርቢ', 'ቀዳም'], STANDALONEWEEKDAYS: ['ሰንበት', 'ሰኑይ', 'ሰሉስ', 'ረቡዕ', 'ሓሙስ', 'ዓርቢ', 'ቀዳም'], SHORTWEEKDAYS: ['ሰንበት', 'ሰኑይ', 'ሰሉስ', 'ረቡዕ', 'ሓሙስ', 'ዓርቢ', 'ቀዳም'], STANDALONESHORTWEEKDAYS: ['ሰንበት', 'ሰኑይ', 'ሰሉስ', 'ረቡዕ', 'ሓሙስ', 'ዓርቢ', 'ቀዳም'], NARROWWEEKDAYS: ['ሰ', 'ሰ', 'ሠ', 'ረ', 'ኃ', 'ዓ', 'ቀ'], STANDALONENARROWWEEKDAYS: ['ሰ', 'ሰ', 'ሠ', 'ረ', 'ኃ', 'ዓ', 'ቀ'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], AMPMS: ['ንጉሆ ሰዓተ', 'ድሕር ሰዓት'], DATEFORMATS: ['EEEE፡ dd MMMM መዓልቲ y G', 'dd MMMM y', 'dd-MMM-y', 'dd/MM/yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale ti_ET. */ goog.i18n.DateTimeSymbols_ti_ET = goog.i18n.DateTimeSymbols_ti; /** * Date/time formatting symbols for locale tig. */ goog.i18n.DateTimeSymbols_tig = { ERAS: ['ዓ/ዓ', 'ዓ/ም'], ERANAMES: ['ዓ/ዓ', 'ዓ/ም'], NARROWMONTHS: ['ጃ', 'ፌ', 'ማ', 'ኤ', 'ሜ', 'ጁ', 'ጁ', 'ኦ', 'ሴ', 'ኦ', 'ኖ', 'ዲ'], STANDALONENARROWMONTHS: ['ጃ', 'ፌ', 'ማ', 'ኤ', 'ሜ', 'ጁ', 'ጁ', 'ኦ', 'ሴ', 'ኦ', 'ኖ', 'ዲ'], MONTHS: ['ጃንዩወሪ', 'ፌብሩወሪ', 'ማርች', 'ኤፕረል', 'ሜይ', 'ጁን', 'ጁላይ', 'ኦገስት', 'ሴፕቴምበር', 'ኦክተውበር', 'ኖቬምበር', 'ዲሴምበር'], STANDALONEMONTHS: ['ጃንዩወሪ', 'ፌብሩወሪ', 'ማርች', 'ኤፕረል', 'ሜይ', 'ጁን', 'ጁላይ', 'ኦገስት', 'ሴፕቴምበር', 'ኦክተውበር', 'ኖቬምበር', 'ዲሴምበር'], SHORTMONTHS: ['ጃንዩ', 'ፌብሩ', 'ማርች', 'ኤፕረ', 'ሜይ', 'ጁን', 'ጁላይ', 'ኦገስ', 'ሴፕቴ', 'ኦክተ', 'ኖቬም', 'ዲሴም'], STANDALONESHORTMONTHS: ['ጃንዩ', 'ፌብሩ', 'ማርች', 'ኤፕረ', 'ሜይ', 'ጁን', 'ጁላይ', 'ኦገስ', 'ሴፕቴ', 'ኦክተ', 'ኖቬም', 'ዲሴም'], WEEKDAYS: ['ሰንበት ዓባይ', 'ሰኖ', 'ታላሸኖ', 'ኣረርባዓ', 'ከሚሽ', 'ጅምዓት', 'ሰንበት ንኢሽ'], STANDALONEWEEKDAYS: ['ሰንበት ዓባይ', 'ሰኖ', 'ታላሸኖ', 'ኣረርባዓ', 'ከሚሽ', 'ጅምዓት', 'ሰንበት ንኢሽ'], SHORTWEEKDAYS: ['ሰ/ዓ', 'ሰኖ', 'ታላሸ', 'ኣረር', 'ከሚሽ', 'ጅምዓ', 'ሰ/ን'], STANDALONESHORTWEEKDAYS: ['ሰ/ዓ', 'ሰኖ', 'ታላሸ', 'ኣረር', 'ከሚሽ', 'ጅምዓ', 'ሰ/ን'], NARROWWEEKDAYS: ['ሰ', 'ሰ', 'ታ', 'ኣ', 'ከ', 'ጅ', 'ሰ'], STANDALONENARROWWEEKDAYS: ['ሰ', 'ሰ', 'ታ', 'ኣ', 'ከ', 'ጅ', 'ሰ'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], AMPMS: ['ቀደም ሰርምዕል', 'ሓቆ ስርምዕል'], DATEFORMATS: ['EEEE፡ dd MMMM ዮም y G', 'dd MMMM y', 'dd-MMM-y', 'dd/MM/yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale tig_ER. */ goog.i18n.DateTimeSymbols_tig_ER = goog.i18n.DateTimeSymbols_tig; /** * Date/time formatting symbols for locale tn. */ goog.i18n.DateTimeSymbols_tn = { ERAS: ['BCE', 'CE'], ERANAMES: ['BCE', 'CE'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['Ferikgong', 'Tlhakole', 'Mopitlo', 'Moranang', 'Motsheganang', 'Seetebosigo', 'Phukwi', 'Phatwe', 'Lwetse', 'Diphalane', 'Ngwanatsele', 'Sedimonthole'], STANDALONEMONTHS: ['Ferikgong', 'Tlhakole', 'Mopitlo', 'Moranang', 'Motsheganang', 'Seetebosigo', 'Phukwi', 'Phatwe', 'Lwetse', 'Diphalane', 'Ngwanatsele', 'Sedimonthole'], SHORTMONTHS: ['Fer', 'Tlh', 'Mop', 'Mor', 'Mot', 'See', 'Phu', 'Pha', 'Lwe', 'Dip', 'Ngw', 'Sed'], STANDALONESHORTMONTHS: ['Fer', 'Tlh', 'Mop', 'Mor', 'Mot', 'See', 'Phu', 'Pha', 'Lwe', 'Dip', 'Ngw', 'Sed'], WEEKDAYS: ['Tshipi', 'Mosopulogo', 'Labobedi', 'Laboraro', 'Labone', 'Labotlhano', 'Matlhatso'], STANDALONEWEEKDAYS: ['Tshipi', 'Mosopulogo', 'Labobedi', 'Laboraro', 'Labone', 'Labotlhano', 'Matlhatso'], SHORTWEEKDAYS: ['Tsh', 'Mos', 'Bed', 'Rar', 'Ne', 'Tla', 'Mat'], STANDALONESHORTWEEKDAYS: ['Tsh', 'Mos', 'Bed', 'Rar', 'Ne', 'Tla', 'Mat'], NARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], STANDALONENARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, y MMMM dd', 'y MMMM d', 'y MMM d', 'yyyy-MM-dd'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale tn_ZA. */ goog.i18n.DateTimeSymbols_tn_ZA = goog.i18n.DateTimeSymbols_tn; /** * Date/time formatting symbols for locale to. */ goog.i18n.DateTimeSymbols_to = { ERAS: ['KM', 'TS'], ERANAMES: ['ki muʻa', 'taʻu ʻo Sīsū'], NARROWMONTHS: ['S', 'F', 'M', 'E', 'M', 'S', 'S', 'A', 'S', 'O', 'N', 'T'], STANDALONENARROWMONTHS: ['S', 'F', 'M', 'E', 'M', 'S', 'S', 'A', 'S', 'O', 'N', 'T'], MONTHS: ['Sānuali', 'Fēpueli', 'Maʻasi', 'ʻEpeleli', 'Mē', 'Sune', 'Siulai', 'ʻAokosi', 'Sepitema', 'ʻOkatopa', 'Nōvema', 'Tīsema'], STANDALONEMONTHS: ['Sānuali', 'Fēpueli', 'Maʻasi', 'ʻEpeleli', 'Mē', 'Sune', 'Siulai', 'ʻAokosi', 'Sēpitema', 'ʻOkatopa', 'Nōvema', 'Tīsema'], SHORTMONTHS: ['Sān', 'Fēp', 'Maʻa', 'ʻEpe', 'Mē', 'Sun', 'Siu', 'ʻAok', 'Sep', 'ʻOka', 'Nōv', 'Tīs'], STANDALONESHORTMONTHS: ['Sān', 'Fēp', 'Maʻa', 'ʻEpe', 'Mē', 'Sun', 'Siu', 'ʻAok', 'Sēp', 'ʻOka', 'Nōv', 'Tīs'], WEEKDAYS: ['Sāpate', 'Mōnite', 'Tūsite', 'Pulelulu', 'Tuʻapulelulu', 'Falaite', 'Tokonaki'], STANDALONEWEEKDAYS: ['Sāpate', 'Mōnite', 'Tūsite', 'Pulelulu', 'Tuʻapulelulu', 'Falaite', 'Tokonaki'], SHORTWEEKDAYS: ['Sāp', 'Mōn', 'Tūs', 'Pul', 'Tuʻa', 'Fal', 'Tok'], STANDALONESHORTWEEKDAYS: ['Sāp', 'Mōn', 'Tūs', 'Pul', 'Tuʻa', 'Fal', 'Tok'], NARROWWEEKDAYS: ['S', 'M', 'T', 'P', 'T', 'F', 'T'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'T', 'P', 'T', 'F', 'T'], SHORTQUARTERS: ['K1', 'K2', 'K3', 'K4'], QUARTERS: ['kuata ʻuluaki', 'kuata ua', 'kuata tolu', 'kuata fā'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'd/M/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale to_TO. */ goog.i18n.DateTimeSymbols_to_TO = goog.i18n.DateTimeSymbols_to; /** * Date/time formatting symbols for locale tr_TR. */ goog.i18n.DateTimeSymbols_tr_TR = { ERAS: ['MÖ', 'MS'], ERANAMES: ['Milattan Önce', 'Milattan Sonra'], NARROWMONTHS: ['O', 'Ş', 'M', 'N', 'M', 'H', 'T', 'A', 'E', 'E', 'K', 'A'], STANDALONENARROWMONTHS: ['O', 'Ş', 'M', 'N', 'M', 'H', 'T', 'A', 'E', 'E', 'K', 'A'], MONTHS: ['Ocak', 'Şubat', 'Mart', 'Nisan', 'Mayıs', 'Haziran', 'Temmuz', 'Ağustos', 'Eylül', 'Ekim', 'Kasım', 'Aralık'], STANDALONEMONTHS: ['Ocak', 'Şubat', 'Mart', 'Nisan', 'Mayıs', 'Haziran', 'Temmuz', 'Ağustos', 'Eylül', 'Ekim', 'Kasım', 'Aralık'], SHORTMONTHS: ['Oca', 'Şub', 'Mar', 'Nis', 'May', 'Haz', 'Tem', 'Ağu', 'Eyl', 'Eki', 'Kas', 'Ara'], STANDALONESHORTMONTHS: ['Oca', 'Şub', 'Mar', 'Nis', 'May', 'Haz', 'Tem', 'Ağu', 'Eyl', 'Eki', 'Kas', 'Ara'], WEEKDAYS: ['Pazar', 'Pazartesi', 'Salı', 'Çarşamba', 'Perşembe', 'Cuma', 'Cumartesi'], STANDALONEWEEKDAYS: ['Pazar', 'Pazartesi', 'Salı', 'Çarşamba', 'Perşembe', 'Cuma', 'Cumartesi'], SHORTWEEKDAYS: ['Paz', 'Pzt', 'Sal', 'Çar', 'Per', 'Cum', 'Cmt'], STANDALONESHORTWEEKDAYS: ['Paz', 'Pzt', 'Sal', 'Çar', 'Per', 'Cum', 'Cmt'], NARROWWEEKDAYS: ['P', 'P', 'S', 'Ç', 'P', 'C', 'C'], STANDALONENARROWWEEKDAYS: ['P', 'P', 'S', 'Ç', 'P', 'C', 'C'], SHORTQUARTERS: ['Ç1', 'Ç2', 'Ç3', 'Ç4'], QUARTERS: ['1. çeyrek', '2. çeyrek', '3. çeyrek', '4. çeyrek'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['d MMMM y EEEE', 'd MMMM y', 'd MMM y', 'dd MM yyyy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale ts. */ goog.i18n.DateTimeSymbols_ts = { ERAS: ['BCE', 'CE'], ERANAMES: ['BCE', 'CE'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['Sunguti', 'Nyenyenyani', 'Nyenyankulu', 'Dzivamisoko', 'Mudyaxihi', 'Khotavuxika', 'Mawuwani', 'Mhawuri', 'Ndzhati', 'Nhlangula', 'Hukuri', 'N\'wendzamhala'], STANDALONEMONTHS: ['Sunguti', 'Nyenyenyani', 'Nyenyankulu', 'Dzivamisoko', 'Mudyaxihi', 'Khotavuxika', 'Mawuwani', 'Mhawuri', 'Ndzhati', 'Nhlangula', 'Hukuri', 'N\'wendzamhala'], SHORTMONTHS: ['Sun', 'Yan', 'Kul', 'Dzi', 'Mud', 'Kho', 'Maw', 'Mha', 'Ndz', 'Nhl', 'Huk', 'N\'w'], STANDALONESHORTMONTHS: ['Sun', 'Yan', 'Kul', 'Dzi', 'Mud', 'Kho', 'Maw', 'Mha', 'Ndz', 'Nhl', 'Huk', 'N\'w'], WEEKDAYS: ['Sonto', 'Musumbhunuku', 'Ravumbirhi', 'Ravunharhu', 'Ravumune', 'Ravuntlhanu', 'Mugqivela'], STANDALONEWEEKDAYS: ['Sonto', 'Musumbhunuku', 'Ravumbirhi', 'Ravunharhu', 'Ravumune', 'Ravuntlhanu', 'Mugqivela'], SHORTWEEKDAYS: ['Son', 'Mus', 'Bir', 'Har', 'Ne', 'Tlh', 'Mug'], STANDALONESHORTWEEKDAYS: ['Son', 'Mus', 'Bir', 'Har', 'Ne', 'Tlh', 'Mug'], NARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], STANDALONENARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], SHORTQUARTERS: ['K1', 'K2', 'K3', 'K4'], QUARTERS: ['Kotara yo sungula', 'Kotara ya vumbirhi', 'Kotara ya vunharhu', 'Kotara ya vumune'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, y MMMM dd', 'y MMMM d', 'y MMM d', 'yyyy-MM-dd'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale ts_ZA. */ goog.i18n.DateTimeSymbols_ts_ZA = goog.i18n.DateTimeSymbols_ts; /** * Date/time formatting symbols for locale twq. */ goog.i18n.DateTimeSymbols_twq = { ERAS: ['IJ', 'IZ'], ERANAMES: ['Isaa jine', 'Isaa zamanoo'], NARROWMONTHS: ['Ž', 'F', 'M', 'A', 'M', 'Ž', 'Ž', 'U', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['Ž', 'F', 'M', 'A', 'M', 'Ž', 'Ž', 'U', 'S', 'O', 'N', 'D'], MONTHS: ['Žanwiye', 'Feewiriye', 'Marsi', 'Awiril', 'Me', 'Žuweŋ', 'Žuyye', 'Ut', 'Sektanbur', 'Oktoobur', 'Noowanbur', 'Deesanbur'], STANDALONEMONTHS: ['Žanwiye', 'Feewiriye', 'Marsi', 'Awiril', 'Me', 'Žuweŋ', 'Žuyye', 'Ut', 'Sektanbur', 'Oktoobur', 'Noowanbur', 'Deesanbur'], SHORTMONTHS: ['Žan', 'Fee', 'Mar', 'Awi', 'Me', 'Žuw', 'Žuy', 'Ut', 'Sek', 'Okt', 'Noo', 'Dee'], STANDALONESHORTMONTHS: ['Žan', 'Fee', 'Mar', 'Awi', 'Me', 'Žuw', 'Žuy', 'Ut', 'Sek', 'Okt', 'Noo', 'Dee'], WEEKDAYS: ['Alhadi', 'Atinni', 'Atalaata', 'Alarba', 'Alhamiisa', 'Alzuma', 'Asibti'], STANDALONEWEEKDAYS: ['Alhadi', 'Atinni', 'Atalaata', 'Alarba', 'Alhamiisa', 'Alzuma', 'Asibti'], SHORTWEEKDAYS: ['Alh', 'Ati', 'Ata', 'Ala', 'Alm', 'Alz', 'Asi'], STANDALONESHORTWEEKDAYS: ['Alh', 'Ati', 'Ata', 'Ala', 'Alm', 'Alz', 'Asi'], NARROWWEEKDAYS: ['H', 'T', 'T', 'L', 'L', 'L', 'S'], STANDALONENARROWWEEKDAYS: ['H', 'T', 'T', 'L', 'L', 'L', 'S'], SHORTQUARTERS: ['A1', 'A2', 'A3', 'A4'], QUARTERS: ['Arrubu 1', 'Arrubu 2', 'Arrubu 3', 'Arrubu 4'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'd/M/yyyy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale twq_NE. */ goog.i18n.DateTimeSymbols_twq_NE = goog.i18n.DateTimeSymbols_twq; /** * Date/time formatting symbols for locale tzm. */ goog.i18n.DateTimeSymbols_tzm = { ERAS: ['ZƐ', 'ḌƐ'], ERANAMES: ['Zdat Ɛisa (TAƔ)', 'Ḍeffir Ɛisa (TAƔ)'], NARROWMONTHS: ['Y', 'Y', 'M', 'I', 'M', 'Y', 'Y', 'Ɣ', 'C', 'K', 'N', 'D'], STANDALONENARROWMONTHS: ['Y', 'Y', 'M', 'I', 'M', 'Y', 'Y', 'Ɣ', 'C', 'K', 'N', 'D'], MONTHS: ['Yennayer', 'Yebrayer', 'Mars', 'Ibrir', 'Mayyu', 'Yunyu', 'Yulyuz', 'Ɣuct', 'Cutanbir', 'Kṭuber', 'Nwanbir', 'Dujanbir'], STANDALONEMONTHS: ['Yennayer', 'Yebrayer', 'Mars', 'Ibrir', 'Mayyu', 'Yunyu', 'Yulyuz', 'Ɣuct', 'Cutanbir', 'Kṭuber', 'Nwanbir', 'Dujanbir'], SHORTMONTHS: ['Yen', 'Yeb', 'Mar', 'Ibr', 'May', 'Yun', 'Yul', 'Ɣuc', 'Cut', 'Kṭu', 'Nwa', 'Duj'], STANDALONESHORTMONTHS: ['Yen', 'Yeb', 'Mar', 'Ibr', 'May', 'Yun', 'Yul', 'Ɣuc', 'Cut', 'Kṭu', 'Nwa', 'Duj'], WEEKDAYS: ['Asamas', 'Aynas', 'Asinas', 'Akras', 'Akwas', 'Asimwas', 'Asiḍyas'], STANDALONEWEEKDAYS: ['Asamas', 'Aynas', 'Asinas', 'Akras', 'Akwas', 'Asimwas', 'Asiḍyas'], SHORTWEEKDAYS: ['Asa', 'Ayn', 'Asn', 'Akr', 'Akw', 'Asm', 'Asḍ'], STANDALONESHORTWEEKDAYS: ['Asa', 'Ayn', 'Asn', 'Akr', 'Akw', 'Asm', 'Asḍ'], NARROWWEEKDAYS: ['A', 'A', 'A', 'A', 'A', 'A', 'A'], STANDALONENARROWWEEKDAYS: ['A', 'A', 'A', 'A', 'A', 'A', 'A'], SHORTQUARTERS: ['IA1', 'IA2', 'IA3', 'IA4'], QUARTERS: ['Imir adamsan 1', 'Imir adamsan 2', 'Imir adamsan 3', 'Imir adamsan 4'], AMPMS: ['Zdat azal', 'Ḍeffir aza'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yyyy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale tzm_Latn. */ goog.i18n.DateTimeSymbols_tzm_Latn = goog.i18n.DateTimeSymbols_tzm; /** * Date/time formatting symbols for locale tzm_Latn_MA. */ goog.i18n.DateTimeSymbols_tzm_Latn_MA = goog.i18n.DateTimeSymbols_tzm; /** * Date/time formatting symbols for locale uk_UA. */ goog.i18n.DateTimeSymbols_uk_UA = { ERAS: ['до н.е.', 'н.е.'], ERANAMES: ['до нашої ери', 'нашої ери'], NARROWMONTHS: ['С', 'Л', 'Б', 'К', 'Т', 'Ч', 'Л', 'С', 'В', 'Ж', 'Л', 'Г'], STANDALONENARROWMONTHS: ['С', 'Л', 'Б', 'К', 'Т', 'Ч', 'Л', 'С', 'В', 'Ж', 'Л', 'Г'], MONTHS: ['січня', 'лютого', 'березня', 'квітня', 'травня', 'червня', 'липня', 'серпня', 'вересня', 'жовтня', 'листопада', 'грудня'], STANDALONEMONTHS: ['Січень', 'Лютий', 'Березень', 'Квітень', 'Травень', 'Червень', 'Липень', 'Серпень', 'Вересень', 'Жовтень', 'Листопад', 'Грудень'], SHORTMONTHS: ['січ.', 'лют.', 'бер.', 'квіт.', 'трав.', 'черв.', 'лип.', 'серп.', 'вер.', 'жовт.', 'лист.', 'груд.'], STANDALONESHORTMONTHS: ['Січ', 'Лют', 'Бер', 'Кві', 'Тра', 'Чер', 'Лип', 'Сер', 'Вер', 'Жов', 'Лис', 'Гру'], WEEKDAYS: ['Неділя', 'Понеділок', 'Вівторок', 'Середа', 'Четвер', 'Пʼятниця', 'Субота'], STANDALONEWEEKDAYS: ['Неділя', 'Понеділок', 'Вівторок', 'Середа', 'Четвер', 'Пʼятниця', 'Субота'], SHORTWEEKDAYS: ['Нд', 'Пн', 'Вт', 'Ср', 'Чт', 'Пт', 'Сб'], STANDALONESHORTWEEKDAYS: ['Нд', 'Пн', 'Вт', 'Ср', 'Чт', 'Пт', 'Сб'], NARROWWEEKDAYS: ['Н', 'П', 'В', 'С', 'Ч', 'П', 'С'], STANDALONENARROWWEEKDAYS: ['Н', 'П', 'В', 'С', 'Ч', 'П', 'С'], SHORTQUARTERS: ['I кв.', 'II кв.', 'III кв.', 'IV кв.'], QUARTERS: ['I квартал', 'II квартал', 'III квартал', 'IV квартал'], AMPMS: ['дп', 'пп'], DATEFORMATS: ['EEEE, d MMMM y \'р\'.', 'd MMMM y \'р\'.', 'd MMM y', 'dd.MM.yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale ur_IN. */ goog.i18n.DateTimeSymbols_ur_IN = { ZERODIGIT: 0x06F0, ERAS: ['ق م', 'عيسوی سن'], ERANAMES: ['قبل مسيح', 'عيسوی سن'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['جنوری', 'فروری', 'مارچ', 'اپريل', 'مئ', 'جون', 'جولائ', 'اگست', 'ستمبر', 'اکتوبر', 'نومبر', 'دسمبر'], STANDALONEMONTHS: ['جنوری', 'فروری', 'مارچ', 'اپريل', 'مئ', 'جون', 'جولائ', 'اگست', 'ستمبر', 'اکتوبر', 'نومبر', 'دسمبر'], SHORTMONTHS: ['جنوری', 'فروری', 'مارچ', 'اپريل', 'مئ', 'جون', 'جولائ', 'اگست', 'ستمبر', 'اکتوبر', 'نومبر', 'دسمبر'], STANDALONESHORTMONTHS: ['جنوری', 'فروری', 'مارچ', 'اپريل', 'مئ', 'جون', 'جولائ', 'اگست', 'ستمبر', 'اکتوبر', 'نومبر', 'دسمبر'], WEEKDAYS: ['اتوار', 'پير', 'منگل', 'بده', 'جمعرات', 'جمعہ', 'ہفتہ'], STANDALONEWEEKDAYS: ['اتوار', 'پير', 'منگل', 'بده', 'جمعرات', 'جمعہ', 'ہفتہ'], SHORTWEEKDAYS: ['اتوار', 'پير', 'منگل', 'بده', 'جمعرات', 'جمعہ', 'ہفتہ'], STANDALONESHORTWEEKDAYS: ['اتوار', 'پير', 'منگل', 'بده', 'جمعرات', 'جمعہ', 'ہفتہ'], NARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], STANDALONENARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], SHORTQUARTERS: ['پہلی سہ ماہی', 'دوسری سہ ماہی', 'تيسری سہ ماہی', 'چوتهی سہ ماہی'], QUARTERS: ['پہلی سہ ماہی', 'دوسری سہ ماہی', 'تيسری سہ ماہی', 'چوتهی سہ ماہی'], AMPMS: ['دن', 'رات'], DATEFORMATS: ['EEEE؍ d؍ MMMM y', 'd؍ MMMM y', 'd؍ MMM y', 'd/M/yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [6, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale ur_PK. */ goog.i18n.DateTimeSymbols_ur_PK = { ERAS: ['ق م', 'عيسوی سن'], ERANAMES: ['قبل مسيح', 'عيسوی سن'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['جنوری', 'فروری', 'مارچ', 'اپريل', 'مئ', 'جون', 'جولائ', 'اگست', 'ستمبر', 'اکتوبر', 'نومبر', 'دسمبر'], STANDALONEMONTHS: ['جنوری', 'فروری', 'مارچ', 'اپريل', 'مئ', 'جون', 'جولائ', 'اگست', 'ستمبر', 'اکتوبر', 'نومبر', 'دسمبر'], SHORTMONTHS: ['جنوری', 'فروری', 'مارچ', 'اپريل', 'مئ', 'جون', 'جولائ', 'اگست', 'ستمبر', 'اکتوبر', 'نومبر', 'دسمبر'], STANDALONESHORTMONTHS: ['جنوری', 'فروری', 'مارچ', 'اپريل', 'مئ', 'جون', 'جولائ', 'اگست', 'ستمبر', 'اکتوبر', 'نومبر', 'دسمبر'], WEEKDAYS: ['اتوار', 'پير', 'منگل', 'بده', 'جمعرات', 'جمعہ', 'ہفتہ'], STANDALONEWEEKDAYS: ['اتوار', 'پير', 'منگل', 'بده', 'جمعرات', 'جمعہ', 'ہفتہ'], SHORTWEEKDAYS: ['اتوار', 'پير', 'منگل', 'بده', 'جمعرات', 'جمعہ', 'ہفتہ'], STANDALONESHORTWEEKDAYS: ['اتوار', 'پير', 'منگل', 'بده', 'جمعرات', 'جمعہ', 'ہفتہ'], NARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], STANDALONENARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], SHORTQUARTERS: ['پہلی سہ ماہی', 'دوسری سہ ماہی', 'تيسری سہ ماہی', 'چوتهی سہ ماہی'], QUARTERS: ['پہلی سہ ماہی', 'دوسری سہ ماہی', 'تيسری سہ ماہی', 'چوتهی سہ ماہی'], AMPMS: ['دن', 'رات'], DATEFORMATS: ['EEEE؍ d؍ MMMM y', 'd؍ MMMM y', 'd؍ MMM y', 'd/M/yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale uz. */ goog.i18n.DateTimeSymbols_uz = { ERAS: ['BCE', 'CE'], ERANAMES: ['BCE', 'CE'], NARROWMONTHS: ['Я', 'Ф', 'М', 'А', 'М', 'И', 'И', 'А', 'С', 'О', 'Н', 'Д'], STANDALONENARROWMONTHS: ['Я', 'Ф', 'М', 'А', 'М', 'И', 'И', 'А', 'С', 'О', 'Н', 'Д'], MONTHS: ['Январ', 'Феврал', 'Март', 'Апрел', 'Май', 'Июн', 'Июл', 'Август', 'Сентябр', 'Октябр', 'Ноябр', 'Декабр'], STANDALONEMONTHS: ['Январ', 'Феврал', 'Март', 'Апрел', 'Май', 'Июн', 'Июл', 'Август', 'Сентябр', 'Октябр', 'Ноябр', 'Декабр'], SHORTMONTHS: ['Янв', 'Фев', 'Мар', 'Апр', 'Май', 'Июн', 'Июл', 'Авг', 'Сен', 'Окт', 'Ноя', 'Дек'], STANDALONESHORTMONTHS: ['Янв', 'Фев', 'Мар', 'Апр', 'Май', 'Июн', 'Июл', 'Авг', 'Сен', 'Окт', 'Ноя', 'Дек'], WEEKDAYS: ['якшанба', 'душанба', 'сешанба', 'чоршанба', 'пайшанба', 'жума', 'шанба'], STANDALONEWEEKDAYS: ['якшанба', 'душанба', 'сешанба', 'чоршанба', 'пайшанба', 'жума', 'шанба'], SHORTWEEKDAYS: ['Якш', 'Душ', 'Сеш', 'Чор', 'Пай', 'Жум', 'Шан'], STANDALONESHORTWEEKDAYS: ['Якш', 'Душ', 'Сеш', 'Чор', 'Пай', 'Жум', 'Шан'], NARROWWEEKDAYS: ['Я', 'Д', 'С', 'Ч', 'П', 'Ж', 'Ш'], STANDALONENARROWWEEKDAYS: ['Я', 'Д', 'С', 'Ч', 'П', 'Ж', 'Ш'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, y MMMM dd', 'y MMMM d', 'y MMM d', 'yy/MM/dd'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale uz_Arab. */ goog.i18n.DateTimeSymbols_uz_Arab = { ZERODIGIT: 0x06F0, ERAS: ['ق.م.', 'م.'], ERANAMES: ['ق.م.', 'م.'], NARROWMONTHS: ['Я', 'Ф', 'М', 'А', 'М', 'И', 'И', 'А', 'С', 'О', 'Н', 'Д'], STANDALONENARROWMONTHS: ['Я', 'Ф', 'М', 'А', 'М', 'И', 'И', 'А', 'С', 'О', 'Н', 'Д'], MONTHS: ['جنوری', 'فبروری', 'مارچ', 'اپریل', 'می', 'جون', 'جولای', 'اگست', 'سپتمبر', 'اکتوبر', 'نومبر', 'دسمبر'], STANDALONEMONTHS: ['جنوری', 'فبروری', 'مارچ', 'اپریل', 'می', 'جون', 'جولای', 'اگست', 'سپتمبر', 'اکتوبر', 'نومبر', 'دسمبر'], SHORTMONTHS: ['جنو', 'فبر', 'مار', 'اپر', 'مـی', 'جون', 'جول', 'اگس', 'سپت', 'اکت', 'نوم', 'دسم'], STANDALONESHORTMONTHS: ['جنو', 'فبر', 'مار', 'اپر', 'مـی', 'جون', 'جول', 'اگس', 'سپت', 'اکت', 'نوم', 'دسم'], WEEKDAYS: ['یکشنبه', 'دوشنبه', 'سه‌شنبه', 'چهارشنبه', 'پنجشنبه', 'جمعه', 'شنبه'], STANDALONEWEEKDAYS: ['یکشنبه', 'دوشنبه', 'سه‌شنبه', 'چهارشنبه', 'پنجشنبه', 'جمعه', 'شنبه'], SHORTWEEKDAYS: ['ی.', 'د.', 'س.', 'چ.', 'پ.', 'ج.', 'ش.'], STANDALONESHORTWEEKDAYS: ['ی.', 'د.', 'س.', 'چ.', 'پ.', 'ج.', 'ش.'], NARROWWEEKDAYS: ['Я', 'Д', 'С', 'Ч', 'П', 'Ж', 'Ш'], STANDALONENARROWWEEKDAYS: ['Я', 'Д', 'С', 'Ч', 'П', 'Ж', 'Ш'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['y نچی ییل d نچی MMMM EEEE کونی', 'd نچی MMMM y', 'd MMM y', 'yyyy/M/d'], TIMEFORMATS: ['H:mm:ss (zzzz)', 'H:mm:ss (z)', 'H:mm:ss', 'H:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale uz_Arab_AF. */ goog.i18n.DateTimeSymbols_uz_Arab_AF = goog.i18n.DateTimeSymbols_uz_Arab; /** * Date/time formatting symbols for locale uz_Cyrl. */ goog.i18n.DateTimeSymbols_uz_Cyrl = goog.i18n.DateTimeSymbols_uz; /** * Date/time formatting symbols for locale uz_Cyrl_UZ. */ goog.i18n.DateTimeSymbols_uz_Cyrl_UZ = goog.i18n.DateTimeSymbols_uz; /** * Date/time formatting symbols for locale uz_Latn. */ goog.i18n.DateTimeSymbols_uz_Latn = { ERAS: ['BCE', 'CE'], ERANAMES: ['BCE', 'CE'], NARROWMONTHS: ['Y', 'F', 'M', 'A', 'M', 'I', 'I', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['Y', 'F', 'M', 'A', 'M', 'I', 'I', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['Yanvar', 'Fevral', 'Mart', 'Aprel', 'May', 'Iyun', 'Iyul', 'Avgust', 'Sentyabr', 'Oktyabr', 'Noyabr', 'Dekabr'], STANDALONEMONTHS: ['Yanvar', 'Fevral', 'Mart', 'Aprel', 'May', 'Iyun', 'Iyul', 'Avgust', 'Sentyabr', 'Oktyabr', 'Noyabr', 'Dekabr'], SHORTMONTHS: ['Yanv', 'Fev', 'Mar', 'Apr', 'May', 'Iyun', 'Iyul', 'Avg', 'Sen', 'Okt', 'Noya', 'Dek'], STANDALONESHORTMONTHS: ['Yanv', 'Fev', 'Mar', 'Apr', 'May', 'Iyun', 'Iyul', 'Avg', 'Sen', 'Okt', 'Noya', 'Dek'], WEEKDAYS: ['yakshanba', 'dushanba', 'seshanba', 'chorshanba', 'payshanba', 'cuma', 'shanba'], STANDALONEWEEKDAYS: ['yakshanba', 'dushanba', 'seshanba', 'chorshanba', 'payshanba', 'cuma', 'shanba'], SHORTWEEKDAYS: ['Yaksh', 'Dush', 'Sesh', 'Chor', 'Pay', 'Cum', 'Shan'], STANDALONESHORTWEEKDAYS: ['Yaksh', 'Dush', 'Sesh', 'Chor', 'Pay', 'Cum', 'Shan'], NARROWWEEKDAYS: ['Y', 'D', 'S', 'C', 'P', 'C', 'S'], STANDALONENARROWWEEKDAYS: ['Y', 'D', 'S', 'C', 'P', 'C', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, y MMMM dd', 'y MMMM d', 'y MMM d', 'yy/MM/dd'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale uz_Latn_UZ. */ goog.i18n.DateTimeSymbols_uz_Latn_UZ = goog.i18n.DateTimeSymbols_uz_Latn; /** * Date/time formatting symbols for locale vai. */ goog.i18n.DateTimeSymbols_vai = { ERAS: ['BCE', 'CE'], ERANAMES: ['BCE', 'CE'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['ꖨꕪꖃ ꔞꕮ', 'ꕒꕡꖝꖕ', 'ꕾꖺ', 'ꖢꖕ', 'ꖑꕱ', '6', '7', 'ꗛꔕ', 'ꕢꕌ', 'ꕭꖃ', 'ꔞꘋꕔꕿ ꕸꖃꗏ', 'ꖨꕪꕱ ꗏꕮ'], STANDALONEMONTHS: ['ꖨꕪꖃ ꔞꕮ', 'ꕒꕡꖝꖕ', 'ꕾꖺ', 'ꖢꖕ', 'ꖑꕱ', '6', '7', 'ꗛꔕ', 'ꕢꕌ', 'ꕭꖃ', 'ꔞꘋꕔꕿ ꕸꖃꗏ', 'ꖨꕪꕱ ꗏꕮ'], SHORTMONTHS: ['ꖨꕪꖃ ꔞꕮ', 'ꕒꕡꖝꖕ', 'ꕾꖺ', 'ꖢꖕ', 'ꖑꕱ', '6', '7', 'ꗛꔕ', 'ꕢꕌ', 'ꕭꖃ', 'ꔞꘋꕔꕿ ꕸꖃꗏ', 'ꖨꕪꕱ ꗏꕮ'], STANDALONESHORTMONTHS: ['ꖨꕪꖃ ꔞꕮ', 'ꕒꕡꖝꖕ', 'ꕾꖺ', 'ꖢꖕ', 'ꖑꕱ', '6', '7', 'ꗛꔕ', 'ꕢꕌ', 'ꕭꖃ', 'ꔞꘋꕔꕿ ꕸꖃꗏ', 'ꖨꕪꕱ ꗏꕮ'], WEEKDAYS: ['ꕞꕌꔵ', 'ꗳꗡꘉ', 'ꕚꕞꕚ', 'ꕉꕞꕒ', 'ꕉꔤꕆꕢ', 'ꕉꔤꕀꕮ', 'ꔻꔬꔳ'], STANDALONEWEEKDAYS: ['ꕞꕌꔵ', 'ꗳꗡꘉ', 'ꕚꕞꕚ', 'ꕉꕞꕒ', 'ꕉꔤꕆꕢ', 'ꕉꔤꕀꕮ', 'ꔻꔬꔳ'], SHORTWEEKDAYS: ['ꕞꕌꔵ', 'ꗳꗡꘉ', 'ꕚꕞꕚ', 'ꕉꕞꕒ', 'ꕉꔤꕆꕢ', 'ꕉꔤꕀꕮ', 'ꔻꔬꔳ'], STANDALONESHORTWEEKDAYS: ['ꕞꕌꔵ', 'ꗳꗡꘉ', 'ꕚꕞꕚ', 'ꕉꕞꕒ', 'ꕉꔤꕆꕢ', 'ꕉꔤꕀꕮ', 'ꔻꔬꔳ'], NARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], STANDALONENARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yyyy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale vai_Latn. */ goog.i18n.DateTimeSymbols_vai_Latn = { ERAS: ['BCE', 'CE'], ERANAMES: ['BCE', 'CE'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['luukao kemã', 'ɓandaɓu', 'vɔɔ', 'fulu', 'goo', '6', '7', 'kɔnde', 'saah', 'galo', 'kenpkato ɓololɔ', 'luukao lɔma'], STANDALONEMONTHS: ['luukao kemã', 'ɓandaɓu', 'vɔɔ', 'fulu', 'goo', '6', '7', 'kɔnde', 'saah', 'galo', 'kenpkato ɓololɔ', 'luukao lɔma'], SHORTMONTHS: ['luukao kemã', 'ɓandaɓu', 'vɔɔ', 'fulu', 'goo', '6', '7', 'kɔnde', 'saah', 'galo', 'kenpkato ɓololɔ', 'luukao lɔma'], STANDALONESHORTMONTHS: ['luukao kemã', 'ɓandaɓu', 'vɔɔ', 'fulu', 'goo', '6', '7', 'kɔnde', 'saah', 'galo', 'kenpkato ɓololɔ', 'luukao lɔma'], WEEKDAYS: ['lahadi', 'tɛɛnɛɛ', 'talata', 'alaba', 'aimisa', 'aijima', 'siɓiti'], STANDALONEWEEKDAYS: ['lahadi', 'tɛɛnɛɛ', 'talata', 'alaba', 'aimisa', 'aijima', 'siɓiti'], SHORTWEEKDAYS: ['lahadi', 'tɛɛnɛɛ', 'talata', 'alaba', 'aimisa', 'aijima', 'siɓiti'], STANDALONESHORTWEEKDAYS: ['lahadi', 'tɛɛnɛɛ', 'talata', 'alaba', 'aimisa', 'aijima', 'siɓiti'], NARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], STANDALONENARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yyyy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale vai_Latn_LR. */ goog.i18n.DateTimeSymbols_vai_Latn_LR = goog.i18n.DateTimeSymbols_vai_Latn; /** * Date/time formatting symbols for locale vai_Vaii. */ goog.i18n.DateTimeSymbols_vai_Vaii = goog.i18n.DateTimeSymbols_vai; /** * Date/time formatting symbols for locale vai_Vaii_LR. */ goog.i18n.DateTimeSymbols_vai_Vaii_LR = goog.i18n.DateTimeSymbols_vai; /** * Date/time formatting symbols for locale ve. */ goog.i18n.DateTimeSymbols_ve = { ERAS: ['BCE', 'CE'], ERANAMES: ['BCE', 'CE'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['Phando', 'Luhuhi', 'Ṱhafamuhwe', 'Lambamai', 'Shundunthule', 'Fulwi', 'Fulwana', 'Ṱhangule', 'Khubvumedzi', 'Tshimedzi', 'Ḽara', 'Nyendavhusiku'], STANDALONEMONTHS: ['Phando', 'Luhuhi', 'Ṱhafamuhwe', 'Lambamai', 'Shundunthule', 'Fulwi', 'Fulwana', 'Ṱhangule', 'Khubvumedzi', 'Tshimedzi', 'Ḽara', 'Nyendavhusiku'], SHORTMONTHS: ['Pha', 'Luh', 'Ṱhf', 'Lam', 'Shu', 'Lwi', 'Lwa', 'Ṱha', 'Khu', 'Tsh', 'Ḽar', 'Nye'], STANDALONESHORTMONTHS: ['Pha', 'Luh', 'Ṱhf', 'Lam', 'Shu', 'Lwi', 'Lwa', 'Ṱha', 'Khu', 'Tsh', 'Ḽar', 'Nye'], WEEKDAYS: ['Swondaha', 'Musumbuluwo', 'Ḽavhuvhili', 'Ḽavhuraru', 'Ḽavhuṋa', 'Ḽavhuṱanu', 'Mugivhela'], STANDALONEWEEKDAYS: ['Swondaha', 'Musumbuluwo', 'Ḽavhuvhili', 'Ḽavhuraru', 'Ḽavhuṋa', 'Ḽavhuṱanu', 'Mugivhela'], SHORTWEEKDAYS: ['Swo', 'Mus', 'Vhi', 'Rar', 'Ṋa', 'Ṱan', 'Mug'], STANDALONESHORTWEEKDAYS: ['Swo', 'Mus', 'Vhi', 'Rar', 'Ṋa', 'Ṱan', 'Mug'], NARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], STANDALONENARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], SHORTQUARTERS: ['K1', 'K2', 'K3', 'K4'], QUARTERS: ['Kotara ya u thoma', 'Kotara ya vhuvhili', 'Kotara ya vhuraru', 'Kotara ya vhuṋa'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, y MMMM dd', 'y MMMM d', 'y MMM d', 'yyyy-MM-dd'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale ve_ZA. */ goog.i18n.DateTimeSymbols_ve_ZA = goog.i18n.DateTimeSymbols_ve; /** * Date/time formatting symbols for locale vi_VN. */ goog.i18n.DateTimeSymbols_vi_VN = { ERAS: ['tr. CN', 'sau CN'], ERANAMES: ['tr. CN', 'sau CN'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['tháng một', 'tháng hai', 'tháng ba', 'tháng tư', 'tháng năm', 'tháng sáu', 'tháng bảy', 'tháng tám', 'tháng chín', 'tháng mười', 'tháng mười một', 'tháng mười hai'], STANDALONEMONTHS: ['tháng một', 'tháng hai', 'tháng ba', 'tháng tư', 'tháng năm', 'tháng sáu', 'tháng bảy', 'tháng tám', 'tháng chín', 'tháng mười', 'tháng mười một', 'tháng mười hai'], SHORTMONTHS: ['thg 1', 'thg 2', 'thg 3', 'thg 4', 'thg 5', 'thg 6', 'thg 7', 'thg 8', 'thg 9', 'thg 10', 'thg 11', 'thg 12'], STANDALONESHORTMONTHS: ['thg 1', 'thg 2', 'thg 3', 'thg 4', 'thg 5', 'thg 6', 'thg 7', 'thg 8', 'thg 9', 'thg 10', 'thg 11', 'thg 12'], WEEKDAYS: ['Chủ nhật', 'Thứ hai', 'Thứ ba', 'Thứ tư', 'Thứ năm', 'Thứ sáu', 'Thứ bảy'], STANDALONEWEEKDAYS: ['Chủ nhật', 'Thứ hai', 'Thứ ba', 'Thứ tư', 'Thứ năm', 'Thứ sáu', 'Thứ bảy'], SHORTWEEKDAYS: ['CN', 'Th 2', 'Th 3', 'Th 4', 'Th 5', 'Th 6', 'Th 7'], STANDALONESHORTWEEKDAYS: ['CN', 'Th 2', 'Th 3', 'Th 4', 'Th 5', 'Th 6', 'Th 7'], NARROWWEEKDAYS: ['CN', 'T2', 'T3', 'T4', 'T5', 'T6', 'T7'], STANDALONENARROWWEEKDAYS: ['CN', 'T2', 'T3', 'T4', 'T5', 'T6', 'T7'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['Quý 1', 'Quý 2', 'Quý 3', 'Quý 4'], AMPMS: ['SA', 'CH'], DATEFORMATS: ['EEEE, \'ngày\' dd MMMM \'năm\' y', '\'Ngày\' dd \'tháng\' M \'năm\' y', 'dd-MM-yyyy', 'dd/MM/yyyy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale vun. */ goog.i18n.DateTimeSymbols_vun = { ERAS: ['KK', 'BK'], ERANAMES: ['Kabla ya Kristu', 'Baada ya Kristu'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['Januari', 'Februari', 'Machi', 'Aprilyi', 'Mei', 'Junyi', 'Julyai', 'Agusti', 'Septemba', 'Oktoba', 'Novemba', 'Desemba'], STANDALONEMONTHS: ['Januari', 'Februari', 'Machi', 'Aprilyi', 'Mei', 'Junyi', 'Julyai', 'Agusti', 'Septemba', 'Oktoba', 'Novemba', 'Desemba'], SHORTMONTHS: ['Jan', 'Feb', 'Mac', 'Apr', 'Mei', 'Jun', 'Jul', 'Ago', 'Sep', 'Okt', 'Nov', 'Des'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mac', 'Apr', 'Mei', 'Jun', 'Jul', 'Ago', 'Sep', 'Okt', 'Nov', 'Des'], WEEKDAYS: ['Jumapilyi', 'Jumatatuu', 'Jumanne', 'Jumatanu', 'Alhamisi', 'Ijumaa', 'Jumamosi'], STANDALONEWEEKDAYS: ['Jumapilyi', 'Jumatatuu', 'Jumanne', 'Jumatanu', 'Alhamisi', 'Ijumaa', 'Jumamosi'], SHORTWEEKDAYS: ['Jpi', 'Jtt', 'Jnn', 'Jtn', 'Alh', 'Iju', 'Jmo'], STANDALONESHORTWEEKDAYS: ['Jpi', 'Jtt', 'Jnn', 'Jtn', 'Alh', 'Iju', 'Jmo'], NARROWWEEKDAYS: ['J', 'J', 'J', 'J', 'A', 'I', 'J'], STANDALONENARROWWEEKDAYS: ['J', 'J', 'J', 'J', 'A', 'I', 'J'], SHORTQUARTERS: ['R1', 'R2', 'R3', 'R4'], QUARTERS: ['Robo 1', 'Robo 2', 'Robo 3', 'Robo 4'], AMPMS: ['utuko', 'kyiukonyi'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yyyy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale vun_TZ. */ goog.i18n.DateTimeSymbols_vun_TZ = goog.i18n.DateTimeSymbols_vun; /** * Date/time formatting symbols for locale wae. */ goog.i18n.DateTimeSymbols_wae = { ERAS: ['v. Chr.', 'n. Chr'], ERANAMES: ['v. Chr.', 'n. Chr'], NARROWMONTHS: ['J', 'H', 'M', 'A', 'M', 'B', 'H', 'Ö', 'H', 'W', 'W', 'C'], STANDALONENARROWMONTHS: ['J', 'H', 'M', 'A', 'M', 'B', 'H', 'Ö', 'H', 'W', 'W', 'C'], MONTHS: ['Jenner', 'Hornig', 'Märze', 'Abrille', 'Meije', 'Bráčet', 'Heiwet', 'Öigšte', 'Herbštmánet', 'Wímánet', 'Wintermánet', 'Chrištmánet'], STANDALONEMONTHS: ['Jenner', 'Hornig', 'Märze', 'Abrille', 'Meije', 'Bráčet', 'Heiwet', 'Öigšte', 'Herbštmánet', 'Wímánet', 'Wintermánet', 'Chrištmánet'], SHORTMONTHS: ['Jen', 'Hor', 'Mär', 'Abr', 'Mei', 'Brá', 'Hei', 'Öig', 'Her', 'Wím', 'Win', 'Chr'], STANDALONESHORTMONTHS: ['Jen', 'Hor', 'Mär', 'Abr', 'Mei', 'Brá', 'Hei', 'Öig', 'Her', 'Wím', 'Win', 'Chr'], WEEKDAYS: ['Sunntag', 'Mäntag', 'Zištag', 'Mittwuč', 'Fróntag', 'Fritag', 'Samštag'], STANDALONEWEEKDAYS: ['Sunntag', 'Mäntag', 'Zištag', 'Mittwuč', 'Fróntag', 'Fritag', 'Samštag'], SHORTWEEKDAYS: ['Sun', 'Män', 'Ziš', 'Mit', 'Fró', 'Fri', 'Sam'], STANDALONESHORTWEEKDAYS: ['Sun', 'Män', 'Ziš', 'Mit', 'Fró', 'Fri', 'Sam'], NARROWWEEKDAYS: ['S', 'M', 'Z', 'M', 'F', 'F', 'S'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'Z', 'M', 'F', 'F', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['1. quartal', '2. quartal', '3. quartal', '4. quartal'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, d. MMMM y', 'd. MMMM y', 'd. MMM y', 'yyyy-MM-dd'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale wae_CH. */ goog.i18n.DateTimeSymbols_wae_CH = goog.i18n.DateTimeSymbols_wae; /** * Date/time formatting symbols for locale wal. */ goog.i18n.DateTimeSymbols_wal = { ERAS: ['አዳ ዎዴ', 'ግሮተታ ላይታ'], ERANAMES: ['አዳ ዎዴ', 'ግሮተታ ላይታ'], NARROWMONTHS: ['ጃ', 'ፌ', 'ማ', 'ኤ', 'ሜ', 'ጁ', 'ጁ', 'ኦ', 'ሴ', 'ኦ', 'ኖ', 'ዲ'], STANDALONENARROWMONTHS: ['ጃ', 'ፌ', 'ማ', 'ኤ', 'ሜ', 'ጁ', 'ጁ', 'ኦ', 'ሴ', 'ኦ', 'ኖ', 'ዲ'], MONTHS: ['ጃንዩወሪ', 'ፌብሩወሪ', 'ማርች', 'ኤፕረል', 'ሜይ', 'ጁን', 'ጁላይ', 'ኦገስት', 'ሴፕቴምበር', 'ኦክተውበር', 'ኖቬምበር', 'ዲሴምበር'], STANDALONEMONTHS: ['ጃንዩወሪ', 'ፌብሩወሪ', 'ማርች', 'ኤፕረል', 'ሜይ', 'ጁን', 'ጁላይ', 'ኦገስት', 'ሴፕቴምበር', 'ኦክተውበር', 'ኖቬምበር', 'ዲሴምበር'], SHORTMONTHS: ['ጃንዩ', 'ፌብሩ', 'ማርች', 'ኤፕረ', 'ሜይ', 'ጁን', 'ጁላይ', 'ኦገስ', 'ሴፕቴ', 'ኦክተ', 'ኖቬም', 'ዲሴም'], STANDALONESHORTMONTHS: ['ጃንዩ', 'ፌብሩ', 'ማርች', 'ኤፕረ', 'ሜይ', 'ጁን', 'ጁላይ', 'ኦገስ', 'ሴፕቴ', 'ኦክተ', 'ኖቬም', 'ዲሴም'], WEEKDAYS: ['ወጋ', 'ሳይኖ', 'ማቆሳኛ', 'አሩዋ', 'ሃሙሳ', 'አርባ', 'ቄራ'], STANDALONEWEEKDAYS: ['ወጋ', 'ሳይኖ', 'ማቆሳኛ', 'አሩዋ', 'ሃሙሳ', 'አርባ', 'ቄራ'], SHORTWEEKDAYS: ['ወጋ', 'ሳይኖ', 'ማቆሳኛ', 'አሩዋ', 'ሃሙሳ', 'አርባ', 'ቄራ'], STANDALONESHORTWEEKDAYS: ['ወጋ', 'ሳይኖ', 'ማቆሳኛ', 'አሩዋ', 'ሃሙሳ', 'አርባ', 'ቄራ'], NARROWWEEKDAYS: ['ወ', 'ሳ', 'ማ', 'አ', 'ሃ', 'አ', 'ቄ'], STANDALONENARROWWEEKDAYS: ['ወ', 'ሳ', 'ማ', 'አ', 'ሃ', 'አ', 'ቄ'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], AMPMS: ['ማለዶ', 'ቃማ'], DATEFORMATS: ['EEEE፥ dd MMMM ጋላሳ y G', 'dd MMMM y', 'dd-MMM-y', 'dd/MM/yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale wal_ET. */ goog.i18n.DateTimeSymbols_wal_ET = goog.i18n.DateTimeSymbols_wal; /** * Date/time formatting symbols for locale xh. */ goog.i18n.DateTimeSymbols_xh = { ERAS: ['BC', 'AD'], ERANAMES: ['BC', 'umnyaka wokuzalwa kukaYesu'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['Janyuwari', 'Februwari', 'Matshi', 'Epreli', 'Meyi', 'Juni', 'Julayi', 'Agasti', 'Septemba', 'Okthoba', 'Novemba', 'Disemba'], STANDALONEMONTHS: ['Janyuwari', 'Februwari', 'Matshi', 'Epreli', 'Meyi', 'Juni', 'Julayi', 'Agasti', 'Septemba', 'Okthoba', 'Novemba', 'Disemba'], SHORTMONTHS: ['Jan', 'Feb', 'Mat', 'Epr', 'Mey', 'Jun', 'Jul', 'Aga', 'Sep', 'Okt', 'Nov', 'Dis'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mat', 'Epr', 'Mey', 'Jun', 'Jul', 'Aga', 'Sep', 'Okt', 'Nov', 'Dis'], WEEKDAYS: ['Cawe', 'Mvulo', 'Lwesibini', 'Lwesithathu', 'Lwesine', 'Lwesihlanu', 'Mgqibelo'], STANDALONEWEEKDAYS: ['Cawe', 'Mvulo', 'Lwesibini', 'Lwesithathu', 'Lwesine', 'Lwesihlanu', 'Mgqibelo'], SHORTWEEKDAYS: ['Caw', 'Mvu', 'Bin', 'Tha', 'Sin', 'Hla', 'Mgq'], STANDALONESHORTWEEKDAYS: ['Caw', 'Mvu', 'Bin', 'Tha', 'Sin', 'Hla', 'Mgq'], NARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], STANDALONENARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['1 unyangantathu', '2 unyangantathu', '3 unyangantathu', '4 unyangantathu'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, y MMMM dd', 'y MMMM d', 'y MMM d', 'yyyy-MM-dd'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale xh_ZA. */ goog.i18n.DateTimeSymbols_xh_ZA = goog.i18n.DateTimeSymbols_xh; /** * Date/time formatting symbols for locale xog. */ goog.i18n.DateTimeSymbols_xog = { ERAS: ['AZ', 'AF'], ERANAMES: ['Kulisto nga azilawo', 'Kulisto nga affile'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['Janwaliyo', 'Febwaliyo', 'Marisi', 'Apuli', 'Maayi', 'Juuni', 'Julaayi', 'Agusito', 'Sebuttemba', 'Okitobba', 'Novemba', 'Desemba'], STANDALONEMONTHS: ['Janwaliyo', 'Febwaliyo', 'Marisi', 'Apuli', 'Maayi', 'Juuni', 'Julaayi', 'Agusito', 'Sebuttemba', 'Okitobba', 'Novemba', 'Desemba'], SHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apu', 'Maa', 'Juu', 'Jul', 'Agu', 'Seb', 'Oki', 'Nov', 'Des'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apu', 'Maa', 'Juu', 'Jul', 'Agu', 'Seb', 'Oki', 'Nov', 'Des'], WEEKDAYS: ['Sabiiti', 'Balaza', 'Owokubili', 'Owokusatu', 'Olokuna', 'Olokutaanu', 'Olomukaaga'], STANDALONEWEEKDAYS: ['Sabiiti', 'Balaza', 'Owokubili', 'Owokusatu', 'Olokuna', 'Olokutaanu', 'Olomukaaga'], SHORTWEEKDAYS: ['Sabi', 'Bala', 'Kubi', 'Kusa', 'Kuna', 'Kuta', 'Muka'], STANDALONESHORTWEEKDAYS: ['Sabi', 'Bala', 'Kubi', 'Kusa', 'Kuna', 'Kuta', 'Muka'], NARROWWEEKDAYS: ['S', 'B', 'B', 'S', 'K', 'K', 'M'], STANDALONENARROWWEEKDAYS: ['S', 'B', 'B', 'S', 'K', 'K', 'M'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['Ebisera ebyomwaka ebisoka', 'Ebisera ebyomwaka ebyokubiri', 'Ebisera ebyomwaka ebyokusatu', 'Ebisera ebyomwaka ebyokuna'], AMPMS: ['Munkyo', 'Eigulo'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yyyy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale xog_UG. */ goog.i18n.DateTimeSymbols_xog_UG = goog.i18n.DateTimeSymbols_xog; /** * Date/time formatting symbols for locale yav. */ goog.i18n.DateTimeSymbols_yav = { ERAS: ['-J.C.', '+J.C.'], ERANAMES: ['katikupíen Yésuse', 'ékélémkúnupíén n'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['pikítíkítie, oólí ú kutúan', 'siɛyɛ́, oóli ú kándíɛ', 'ɔnsúmbɔl, oóli ú kátátúɛ', 'mesiŋ, oóli ú kénie', 'ensil, oóli ú kátánuɛ', 'ɔsɔn', 'efute', 'pisuyú', 'imɛŋ i puɔs', 'imɛŋ i putúk,oóli ú kátíɛ', 'makandikɛ', 'pilɔndɔ́'], STANDALONEMONTHS: ['pikítíkítie, oólí ú kutúan', 'siɛyɛ́, oóli ú kándíɛ', 'ɔnsúmbɔl, oóli ú kátátúɛ', 'mesiŋ, oóli ú kénie', 'ensil, oóli ú kátánuɛ', 'ɔsɔn', 'efute', 'pisuyú', 'imɛŋ i puɔs', 'imɛŋ i putúk,oóli ú kátíɛ', 'makandikɛ', 'pilɔndɔ́'], SHORTMONTHS: ['o.1', 'o.2', 'o.3', 'o.4', 'o.5', 'o.6', 'o.7', 'o.8', 'o.9', 'o.10', 'o.11', 'o.12'], STANDALONESHORTMONTHS: ['o.1', 'o.2', 'o.3', 'o.4', 'o.5', 'o.6', 'o.7', 'o.8', 'o.9', 'o.10', 'o.11', 'o.12'], WEEKDAYS: ['sɔ́ndiɛ', 'móndie', 'muányáŋmóndie', 'metúkpíápɛ', 'kúpélimetúkpiapɛ', 'feléte', 'séselé'], STANDALONEWEEKDAYS: ['sɔ́ndiɛ', 'móndie', 'muányáŋmóndie', 'metúkpíápɛ', 'kúpélimetúkpiapɛ', 'feléte', 'séselé'], SHORTWEEKDAYS: ['sd', 'md', 'mw', 'et', 'kl', 'fl', 'ss'], STANDALONESHORTWEEKDAYS: ['sd', 'md', 'mw', 'et', 'kl', 'fl', 'ss'], NARROWWEEKDAYS: ['s', 'm', 'm', 'e', 'k', 'f', 's'], STANDALONENARROWWEEKDAYS: ['s', 'm', 'm', 'e', 'k', 'f', 's'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['ndátúɛ 1', 'ndátúɛ 2', 'ndátúɛ 3', 'ndátúɛ 4'], AMPMS: ['kiɛmɛ́ɛm', 'kisɛ́ndɛ'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'd/M/yyyy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale yav_CM. */ goog.i18n.DateTimeSymbols_yav_CM = goog.i18n.DateTimeSymbols_yav; /** * Date/time formatting symbols for locale yo. */ goog.i18n.DateTimeSymbols_yo = { ERAS: ['SK', 'LK'], ERANAMES: ['Saju Kristi', 'Lehin Kristi'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['Oṣù Ṣẹ́rẹ́', 'Oṣù Èrèlè', 'Oṣù Ẹrẹ̀nà', 'Oṣù Ìgbé', 'Oṣù Ẹ̀bibi', 'Oṣù Òkúdu', 'Oṣù Agẹmọ', 'Oṣù Ògún', 'Oṣù Owewe', 'Oṣù Ọ̀wàrà', 'Oṣù Bélú', 'Oṣù Ọ̀pẹ̀'], STANDALONEMONTHS: ['Oṣù Ṣẹ́rẹ́', 'Oṣù Èrèlè', 'Oṣù Ẹrẹ̀nà', 'Oṣù Ìgbé', 'Oṣù Ẹ̀bibi', 'Oṣù Òkúdu', 'Oṣù Agẹmọ', 'Oṣù Ògún', 'Oṣù Owewe', 'Oṣù Ọ̀wàrà', 'Oṣù Bélú', 'Oṣù Ọ̀pẹ̀'], SHORTMONTHS: ['Ṣẹ́rẹ́', 'Èrèlè', 'Ẹrẹ̀nà', 'Ìgbé', 'Ẹ̀bibi', 'Òkúdu', 'Agẹmọ', 'Ògún', 'Owewe', 'Ọ̀wàrà', 'Bélú', 'Ọ̀pẹ̀'], STANDALONESHORTMONTHS: ['Ṣẹ́rẹ́', 'Èrèlè', 'Ẹrẹ̀nà', 'Ìgbé', 'Ẹ̀bibi', 'Òkúdu', 'Agẹmọ', 'Ògún', 'Owewe', 'Ọ̀wàrà', 'Bélú', 'Ọ̀pẹ̀'], WEEKDAYS: ['Ọjọ́ Àìkú', 'Ọjọ́ Ajé', 'Ọjọ́ Ìsẹ́gun', 'Ọjọ́rú', 'Ọjọ́bọ', 'Ọjọ́ Ẹtì', 'Ọjọ́ Àbámẹ́ta'], STANDALONEWEEKDAYS: ['Ọjọ́ Àìkú', 'Ọjọ́ Ajé', 'Ọjọ́ Ìsẹ́gun', 'Ọjọ́rú', 'Ọjọ́bọ', 'Ọjọ́ Ẹtì', 'Ọjọ́ Àbámẹ́ta'], SHORTWEEKDAYS: ['Àìkú', 'Ajé', 'Ìsẹ́gun', 'Ọjọ́rú', 'Ọjọ́bọ', 'Ẹtì', 'Àbámẹ́ta'], STANDALONESHORTWEEKDAYS: ['Àìkú', 'Ajé', 'Ìsẹ́gun', 'Ọjọ́rú', 'Ọjọ́bọ', 'Ẹtì', 'Àbámẹ́ta'], NARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], STANDALONENARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], SHORTQUARTERS: ['K1', 'K2', 'K3', 'K4'], QUARTERS: ['Kọ́tà Kínní', 'Kọ́tà Kejì', 'Kọ́à Keta', 'Kọ́tà Kẹrin'], AMPMS: ['Àárọ̀', 'Ọ̀sán'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yyyy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale yo_NG. */ goog.i18n.DateTimeSymbols_yo_NG = goog.i18n.DateTimeSymbols_yo; /** * Date/time formatting symbols for locale zh_Hans. */ goog.i18n.DateTimeSymbols_zh_Hans = { ERAS: ['公元前', '公元'], ERANAMES: ['公元前', '公元'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1月', '2月', '3月', '4月', '5月', '6月', '7月', '8月', '9月', '10月', '11月', '12月'], MONTHS: ['1月', '2月', '3月', '4月', '5月', '6月', '7月', '8月', '9月', '10月', '11月', '12月'], STANDALONEMONTHS: ['一月', '二月', '三月', '四月', '五月', '六月', '七月', '八月', '九月', '十月', '十一月', '十二月'], SHORTMONTHS: ['1月', '2月', '3月', '4月', '5月', '6月', '7月', '8月', '9月', '10月', '11月', '12月'], STANDALONESHORTMONTHS: ['一月', '二月', '三月', '四月', '五月', '六月', '七月', '八月', '九月', '十月', '十一月', '十二月'], WEEKDAYS: ['星期日', '星期一', '星期二', '星期三', '星期四', '星期五', '星期六'], STANDALONEWEEKDAYS: ['星期日', '星期一', '星期二', '星期三', '星期四', '星期五', '星期六'], SHORTWEEKDAYS: ['周日', '周一', '周二', '周三', '周四', '周五', '周六'], STANDALONESHORTWEEKDAYS: ['周日', '周一', '周二', '周三', '周四', '周五', '周六'], NARROWWEEKDAYS: ['日', '一', '二', '三', '四', '五', '六'], STANDALONENARROWWEEKDAYS: ['日', '一', '二', '三', '四', '五', '六'], SHORTQUARTERS: ['1季', '2季', '3季', '4季'], QUARTERS: ['第1季度', '第2季度', '第3季度', '第4季度'], AMPMS: ['上午', '下午'], DATEFORMATS: ['y年M月d日EEEE', 'y年M月d日', 'yyyy-M-d', 'yy-M-d'], TIMEFORMATS: ['zzzzah时mm分ss秒', 'zah时mm分ss秒', 'ah:mm:ss', 'ah:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale zh_Hans_CN. */ goog.i18n.DateTimeSymbols_zh_Hans_CN = goog.i18n.DateTimeSymbols_zh_Hans; /** * Date/time formatting symbols for locale zh_Hans_HK. */ goog.i18n.DateTimeSymbols_zh_Hans_HK = { ERAS: ['公元前', '公元'], ERANAMES: ['公元前', '公元'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['一月', '二月', '三月', '四月', '五月', '六月', '七月', '八月', '九月', '十月', '十一月', '十二月'], STANDALONEMONTHS: ['一月', '二月', '三月', '四月', '五月', '六月', '七月', '八月', '九月', '十月', '十一月', '十二月'], SHORTMONTHS: ['1月', '2月', '3月', '4月', '5月', '6月', '7月', '8月', '9月', '10月', '11月', '12月'], STANDALONESHORTMONTHS: ['1月', '2月', '3月', '4月', '5月', '6月', '7月', '8月', '9月', '10月', '11月', '12月'], WEEKDAYS: ['星期日', '星期一', '星期二', '星期三', '星期四', '星期五', '星期六'], STANDALONEWEEKDAYS: ['星期日', '星期一', '星期二', '星期三', '星期四', '星期五', '星期六'], SHORTWEEKDAYS: ['周日', '周一', '周二', '周三', '周四', '周五', '周六'], STANDALONESHORTWEEKDAYS: ['周日', '周一', '周二', '周三', '周四', '周五', '周六'], NARROWWEEKDAYS: ['日', '一', '二', '三', '四', '五', '六'], STANDALONENARROWWEEKDAYS: ['日', '一', '二', '三', '四', '五', '六'], SHORTQUARTERS: ['1季度', '2季度', '3季度', '4季度'], QUARTERS: ['第一季度', '第二季度', '第三季度', '第四季度'], AMPMS: ['上午', '下午'], DATEFORMATS: ['y年M月d日EEEE', 'y年M月d日', 'y年M月d日', 'd/M/yy'], TIMEFORMATS: ['zzzzah:mm:ss', 'zah:mm:ss', 'ah:mm:ss', 'ah:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale zh_Hans_MO. */ goog.i18n.DateTimeSymbols_zh_Hans_MO = { ERAS: ['公元前', '公元'], ERANAMES: ['公元前', '公元'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['一月', '二月', '三月', '四月', '五月', '六月', '七月', '八月', '九月', '十月', '十一月', '十二月'], STANDALONEMONTHS: ['一月', '二月', '三月', '四月', '五月', '六月', '七月', '八月', '九月', '十月', '十一月', '十二月'], SHORTMONTHS: ['1月', '2月', '3月', '4月', '5月', '6月', '7月', '8月', '9月', '10月', '11月', '12月'], STANDALONESHORTMONTHS: ['1月', '2月', '3月', '4月', '5月', '6月', '7月', '8月', '9月', '10月', '11月', '12月'], WEEKDAYS: ['星期日', '星期一', '星期二', '星期三', '星期四', '星期五', '星期六'], STANDALONEWEEKDAYS: ['星期日', '星期一', '星期二', '星期三', '星期四', '星期五', '星期六'], SHORTWEEKDAYS: ['周日', '周一', '周二', '周三', '周四', '周五', '周六'], STANDALONESHORTWEEKDAYS: ['周日', '周一', '周二', '周三', '周四', '周五', '周六'], NARROWWEEKDAYS: ['日', '一', '二', '三', '四', '五', '六'], STANDALONENARROWWEEKDAYS: ['日', '一', '二', '三', '四', '五', '六'], SHORTQUARTERS: ['1季度', '2季度', '3季度', '4季度'], QUARTERS: ['第一季度', '第二季度', '第三季度', '第四季度'], AMPMS: ['上午', '下午'], DATEFORMATS: ['y年M月d日EEEE', 'y年M月d日', 'y年M月d日', 'd/M/yy'], TIMEFORMATS: ['zzzzah:mm:ss', 'zah:mm:ss', 'ah:mm:ss', 'ah:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale zh_Hans_SG. */ goog.i18n.DateTimeSymbols_zh_Hans_SG = { ERAS: ['公元前', '公元'], ERANAMES: ['公元前', '公元'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['一月', '二月', '三月', '四月', '五月', '六月', '七月', '八月', '九月', '十月', '十一月', '十二月'], STANDALONEMONTHS: ['一月', '二月', '三月', '四月', '五月', '六月', '七月', '八月', '九月', '十月', '十一月', '十二月'], SHORTMONTHS: ['1月', '2月', '3月', '4月', '5月', '6月', '7月', '8月', '9月', '10月', '11月', '12月'], STANDALONESHORTMONTHS: ['1月', '2月', '3月', '4月', '5月', '6月', '7月', '8月', '9月', '10月', '11月', '12月'], WEEKDAYS: ['星期日', '星期一', '星期二', '星期三', '星期四', '星期五', '星期六'], STANDALONEWEEKDAYS: ['星期日', '星期一', '星期二', '星期三', '星期四', '星期五', '星期六'], SHORTWEEKDAYS: ['周日', '周一', '周二', '周三', '周四', '周五', '周六'], STANDALONESHORTWEEKDAYS: ['周日', '周一', '周二', '周三', '周四', '周五', '周六'], NARROWWEEKDAYS: ['日', '一', '二', '三', '四', '五', '六'], STANDALONENARROWWEEKDAYS: ['日', '一', '二', '三', '四', '五', '六'], SHORTQUARTERS: ['1季度', '2季度', '3季度', '4季度'], QUARTERS: ['第一季度', '第二季度', '第三季度', '第四季度'], AMPMS: ['上午', '下午'], DATEFORMATS: ['y年M月d日EEEE', 'y年M月d日', 'y年M月d日', 'dd/MM/yy'], TIMEFORMATS: ['zzzzah:mm:ss', 'ahh:mm:ssz', 'ah:mm:ss', 'ahh:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale zh_Hant. */ goog.i18n.DateTimeSymbols_zh_Hant = { ERAS: ['西元前', '西元'], ERANAMES: ['西元前', '西元'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['1月', '2月', '3月', '4月', '5月', '6月', '7月', '8月', '9月', '10月', '11月', '12月'], STANDALONEMONTHS: ['一月', '二月', '三月', '四月', '五月', '六月', '七月', '八月', '九月', '十月', '十一月', '十二月'], SHORTMONTHS: ['1月', '2月', '3月', '4月', '5月', '6月', '7月', '8月', '9月', '10月', '11月', '12月'], STANDALONESHORTMONTHS: ['1月', '2月', '3月', '4月', '5月', '6月', '7月', '8月', '9月', '10月', '11月', '12月'], WEEKDAYS: ['星期日', '星期一', '星期二', '星期三', '星期四', '星期五', '星期六'], STANDALONEWEEKDAYS: ['星期日', '星期一', '星期二', '星期三', '星期四', '星期五', '星期六'], SHORTWEEKDAYS: ['週日', '週一', '週二', '週三', '週四', '週五', '週六'], STANDALONESHORTWEEKDAYS: ['周日', '周一', '周二', '周三', '周四', '周五', '周六'], NARROWWEEKDAYS: ['日', '一', '二', '三', '四', '五', '六'], STANDALONENARROWWEEKDAYS: ['日', '一', '二', '三', '四', '五', '六'], SHORTQUARTERS: ['1季', '2季', '3季', '4季'], QUARTERS: ['第1季', '第2季', '第3季', '第4季'], AMPMS: ['上午', '下午'], DATEFORMATS: ['y年M月d日EEEE', 'y年M月d日', 'yyyy/M/d', 'y/M/d'], TIMEFORMATS: ['zzzzah時mm分ss秒', 'zah時mm分ss秒', 'ah:mm:ss', 'ah:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale zh_Hant_HK. */ goog.i18n.DateTimeSymbols_zh_Hant_HK = { ERAS: ['西元前', '西元'], ERANAMES: ['西元前', '西元'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['1月', '2月', '3月', '4月', '5月', '6月', '7月', '8月', '9月', '10月', '11月', '12月'], STANDALONEMONTHS: ['一月', '二月', '三月', '四月', '五月', '六月', '七月', '八月', '九月', '十月', '十一月', '十二月'], SHORTMONTHS: ['1月', '2月', '3月', '4月', '5月', '6月', '7月', '8月', '9月', '10月', '11月', '12月'], STANDALONESHORTMONTHS: ['1月', '2月', '3月', '4月', '5月', '6月', '7月', '8月', '9月', '10月', '11月', '12月'], WEEKDAYS: ['星期日', '星期一', '星期二', '星期三', '星期四', '星期五', '星期六'], STANDALONEWEEKDAYS: ['星期日', '星期一', '星期二', '星期三', '星期四', '星期五', '星期六'], SHORTWEEKDAYS: ['週日', '週一', '週二', '週三', '週四', '週五', '週六'], STANDALONESHORTWEEKDAYS: ['周日', '周一', '周二', '周三', '周四', '周五', '周六'], NARROWWEEKDAYS: ['日', '一', '二', '三', '四', '五', '六'], STANDALONENARROWWEEKDAYS: ['日', '一', '二', '三', '四', '五', '六'], SHORTQUARTERS: ['1季', '2季', '3季', '4季'], QUARTERS: ['第1季', '第2季', '第3季', '第4季'], AMPMS: ['上午', '下午'], DATEFORMATS: ['y年M月d日EEEE', 'y年M月d日', 'y年M月d日', 'yy年M月d日'], TIMEFORMATS: ['ah:mm:ss [zzzz]', 'ah:mm:ss [z]', 'ahh:mm:ss', 'ah:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale zh_Hant_MO. */ goog.i18n.DateTimeSymbols_zh_Hant_MO = { ERAS: ['西元前', '西元'], ERANAMES: ['西元前', '西元'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['1月', '2月', '3月', '4月', '5月', '6月', '7月', '8月', '9月', '10月', '11月', '12月'], STANDALONEMONTHS: ['一月', '二月', '三月', '四月', '五月', '六月', '七月', '八月', '九月', '十月', '十一月', '十二月'], SHORTMONTHS: ['1月', '2月', '3月', '4月', '5月', '6月', '7月', '8月', '9月', '10月', '11月', '12月'], STANDALONESHORTMONTHS: ['1月', '2月', '3月', '4月', '5月', '6月', '7月', '8月', '9月', '10月', '11月', '12月'], WEEKDAYS: ['星期日', '星期一', '星期二', '星期三', '星期四', '星期五', '星期六'], STANDALONEWEEKDAYS: ['星期日', '星期一', '星期二', '星期三', '星期四', '星期五', '星期六'], SHORTWEEKDAYS: ['週日', '週一', '週二', '週三', '週四', '週五', '週六'], STANDALONESHORTWEEKDAYS: ['周日', '周一', '周二', '周三', '周四', '周五', '周六'], NARROWWEEKDAYS: ['日', '一', '二', '三', '四', '五', '六'], STANDALONENARROWWEEKDAYS: ['日', '一', '二', '三', '四', '五', '六'], SHORTQUARTERS: ['1季', '2季', '3季', '4季'], QUARTERS: ['第1季', '第2季', '第3季', '第4季'], AMPMS: ['上午', '下午'], DATEFORMATS: ['y年MM月dd日EEEE', 'y年MM月dd日', 'y年M月d日', 'yy年M月d日'], TIMEFORMATS: ['ah:mm:ss [zzzz]', 'ah:mm:ss [z]', 'ahh:mm:ss', 'ah:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale zh_Hant_TW. */ goog.i18n.DateTimeSymbols_zh_Hant_TW = goog.i18n.DateTimeSymbols_zh_Hant; /** * Date/time formatting symbols for locale zu_ZA. */ goog.i18n.DateTimeSymbols_zu_ZA = { ERAS: ['BC', 'AD'], ERANAMES: ['BC', 'AD'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['Januwari', 'Februwari', 'Mashi', 'Apreli', 'Meyi', 'Juni', 'Julayi', 'Agasti', 'Septhemba', 'Okthoba', 'Novemba', 'Disemba'], STANDALONEMONTHS: ['uJanuwari', 'uFebruwari', 'uMashi', 'u-Apreli', 'uMeyi', 'uJuni', 'uJulayi', 'uAgasti', 'uSepthemba', 'u-Okthoba', 'uNovemba', 'uDisemba'], SHORTMONTHS: ['Jan', 'Feb', 'Mas', 'Apr', 'Mey', 'Jun', 'Jul', 'Aga', 'Sep', 'Okt', 'Nov', 'Dis'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mas', 'Apr', 'Mey', 'Jun', 'Jul', 'Aga', 'Sep', 'Okt', 'Nov', 'Dis'], WEEKDAYS: ['Sonto', 'Msombuluko', 'Lwesibili', 'Lwesithathu', 'uLwesine', 'Lwesihlanu', 'Mgqibelo'], STANDALONEWEEKDAYS: ['Sonto', 'Msombuluko', 'Lwesibili', 'Lwesithathu', 'uLwesine', 'Lwesihlanu', 'Mgqibelo'], SHORTWEEKDAYS: ['Son', 'Mso', 'Bil', 'Tha', 'Sin', 'Hla', 'Mgq'], STANDALONESHORTWEEKDAYS: ['Son', 'Mso', 'Bil', 'Tha', 'Sin', 'Hla', 'Mgq'], NARROWWEEKDAYS: ['S', 'M', 'B', 'T', 'S', 'H', 'M'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'B', 'T', 'S', 'H', 'M'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['ikota yoku-1', 'ikota yesi-2', 'ikota yesi-3', 'ikota yesi-4'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE dd MMMM y', 'd MMMM y', 'd MMM y', 'yyyy-MM-dd'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Selected date/time formatting symbols by locale. */ if (goog.LOCALE == 'aa') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_aa; } if (goog.LOCALE == 'aa_DJ' || goog.LOCALE == 'aa-DJ') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_aa_DJ; } if (goog.LOCALE == 'aa_ER' || goog.LOCALE == 'aa-ER') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_aa; } if (goog.LOCALE == 'aa_ET' || goog.LOCALE == 'aa-ET') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_aa; } if (goog.LOCALE == 'af_NA' || goog.LOCALE == 'af-NA') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_af_NA; } if (goog.LOCALE == 'af_ZA' || goog.LOCALE == 'af-ZA') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_af_ZA; } if (goog.LOCALE == 'agq') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_agq; } if (goog.LOCALE == 'agq_CM' || goog.LOCALE == 'agq-CM') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_agq; } if (goog.LOCALE == 'ak') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ak; } if (goog.LOCALE == 'ak_GH' || goog.LOCALE == 'ak-GH') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ak; } if (goog.LOCALE == 'am_ET' || goog.LOCALE == 'am-ET') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_am_ET; } if (goog.LOCALE == 'ar_AE' || goog.LOCALE == 'ar-AE') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ar_AE; } if (goog.LOCALE == 'ar_BH' || goog.LOCALE == 'ar-BH') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ar_BH; } if (goog.LOCALE == 'ar_DZ' || goog.LOCALE == 'ar-DZ') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ar_DZ; } if (goog.LOCALE == 'ar_EG' || goog.LOCALE == 'ar-EG') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ar_EG; } if (goog.LOCALE == 'ar_IQ' || goog.LOCALE == 'ar-IQ') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ar_IQ; } if (goog.LOCALE == 'ar_JO' || goog.LOCALE == 'ar-JO') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ar_JO; } if (goog.LOCALE == 'ar_KW' || goog.LOCALE == 'ar-KW') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ar_KW; } if (goog.LOCALE == 'ar_LB' || goog.LOCALE == 'ar-LB') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ar_LB; } if (goog.LOCALE == 'ar_LY' || goog.LOCALE == 'ar-LY') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ar_LY; } if (goog.LOCALE == 'ar_MA' || goog.LOCALE == 'ar-MA') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ar_MA; } if (goog.LOCALE == 'ar_OM' || goog.LOCALE == 'ar-OM') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ar_OM; } if (goog.LOCALE == 'ar_QA' || goog.LOCALE == 'ar-QA') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ar_QA; } if (goog.LOCALE == 'ar_SA' || goog.LOCALE == 'ar-SA') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ar_SA; } if (goog.LOCALE == 'ar_SD' || goog.LOCALE == 'ar-SD') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ar_SD; } if (goog.LOCALE == 'ar_SY' || goog.LOCALE == 'ar-SY') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ar_SY; } if (goog.LOCALE == 'ar_TN' || goog.LOCALE == 'ar-TN') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ar_TN; } if (goog.LOCALE == 'ar_YE' || goog.LOCALE == 'ar-YE') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ar_YE; } if (goog.LOCALE == 'as') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_as; } if (goog.LOCALE == 'as_IN' || goog.LOCALE == 'as-IN') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_as; } if (goog.LOCALE == 'asa') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_asa; } if (goog.LOCALE == 'asa_TZ' || goog.LOCALE == 'asa-TZ') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_asa; } if (goog.LOCALE == 'az') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_az; } if (goog.LOCALE == 'az_Cyrl' || goog.LOCALE == 'az-Cyrl') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_az_Cyrl; } if (goog.LOCALE == 'az_Cyrl_AZ' || goog.LOCALE == 'az-Cyrl-AZ') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_az_Cyrl; } if (goog.LOCALE == 'az_Latn' || goog.LOCALE == 'az-Latn') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_az; } if (goog.LOCALE == 'az_Latn_AZ' || goog.LOCALE == 'az-Latn-AZ') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_az; } if (goog.LOCALE == 'bas') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_bas; } if (goog.LOCALE == 'bas_CM' || goog.LOCALE == 'bas-CM') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_bas; } if (goog.LOCALE == 'be') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_be; } if (goog.LOCALE == 'be_BY' || goog.LOCALE == 'be-BY') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_be; } if (goog.LOCALE == 'bem') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_bem; } if (goog.LOCALE == 'bem_ZM' || goog.LOCALE == 'bem-ZM') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_bem; } if (goog.LOCALE == 'bez') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_bez; } if (goog.LOCALE == 'bez_TZ' || goog.LOCALE == 'bez-TZ') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_bez; } if (goog.LOCALE == 'bg_BG' || goog.LOCALE == 'bg-BG') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_bg_BG; } if (goog.LOCALE == 'bm') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_bm; } if (goog.LOCALE == 'bm_ML' || goog.LOCALE == 'bm-ML') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_bm; } if (goog.LOCALE == 'bn_BD' || goog.LOCALE == 'bn-BD') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_bn_BD; } if (goog.LOCALE == 'bn_IN' || goog.LOCALE == 'bn-IN') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_bn_IN; } if (goog.LOCALE == 'bo') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_bo; } if (goog.LOCALE == 'bo_CN' || goog.LOCALE == 'bo-CN') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_bo; } if (goog.LOCALE == 'bo_IN' || goog.LOCALE == 'bo-IN') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_bo; } if (goog.LOCALE == 'br') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_br; } if (goog.LOCALE == 'br_FR' || goog.LOCALE == 'br-FR') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_br; } if (goog.LOCALE == 'brx') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_brx; } if (goog.LOCALE == 'brx_IN' || goog.LOCALE == 'brx-IN') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_brx; } if (goog.LOCALE == 'bs') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_bs; } if (goog.LOCALE == 'bs_BA' || goog.LOCALE == 'bs-BA') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_bs; } if (goog.LOCALE == 'byn') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_byn; } if (goog.LOCALE == 'byn_ER' || goog.LOCALE == 'byn-ER') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_byn; } if (goog.LOCALE == 'ca_ES' || goog.LOCALE == 'ca-ES') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ca_ES; } if (goog.LOCALE == 'cgg') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_cgg; } if (goog.LOCALE == 'cgg_UG' || goog.LOCALE == 'cgg-UG') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_cgg; } if (goog.LOCALE == 'chr_US' || goog.LOCALE == 'chr-US') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_chr_US; } if (goog.LOCALE == 'ckb') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ckb; } if (goog.LOCALE == 'ckb_Arab' || goog.LOCALE == 'ckb-Arab') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ckb; } if (goog.LOCALE == 'ckb_Arab_IQ' || goog.LOCALE == 'ckb-Arab-IQ') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ckb; } if (goog.LOCALE == 'ckb_Arab_IR' || goog.LOCALE == 'ckb-Arab-IR') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ckb; } if (goog.LOCALE == 'ckb_IQ' || goog.LOCALE == 'ckb-IQ') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ckb; } if (goog.LOCALE == 'ckb_IR' || goog.LOCALE == 'ckb-IR') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ckb; } if (goog.LOCALE == 'ckb_Latn' || goog.LOCALE == 'ckb-Latn') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ckb; } if (goog.LOCALE == 'ckb_Latn_IQ' || goog.LOCALE == 'ckb-Latn-IQ') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ckb; } if (goog.LOCALE == 'cs_CZ' || goog.LOCALE == 'cs-CZ') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_cs_CZ; } if (goog.LOCALE == 'cy_GB' || goog.LOCALE == 'cy-GB') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_cy_GB; } if (goog.LOCALE == 'da_DK' || goog.LOCALE == 'da-DK') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_da_DK; } if (goog.LOCALE == 'dav') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_dav; } if (goog.LOCALE == 'dav_KE' || goog.LOCALE == 'dav-KE') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_dav; } if (goog.LOCALE == 'de_BE' || goog.LOCALE == 'de-BE') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_de_BE; } if (goog.LOCALE == 'de_DE' || goog.LOCALE == 'de-DE') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_de_DE; } if (goog.LOCALE == 'de_LI' || goog.LOCALE == 'de-LI') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_de_LI; } if (goog.LOCALE == 'de_LU' || goog.LOCALE == 'de-LU') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_de_LU; } if (goog.LOCALE == 'dje') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_dje; } if (goog.LOCALE == 'dje_NE' || goog.LOCALE == 'dje-NE') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_dje; } if (goog.LOCALE == 'dua') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_dua; } if (goog.LOCALE == 'dua_CM' || goog.LOCALE == 'dua-CM') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_dua; } if (goog.LOCALE == 'dyo') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_dyo; } if (goog.LOCALE == 'dyo_SN' || goog.LOCALE == 'dyo-SN') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_dyo; } if (goog.LOCALE == 'dz') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_dz; } if (goog.LOCALE == 'dz_BT' || goog.LOCALE == 'dz-BT') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_dz; } if (goog.LOCALE == 'ebu') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ebu; } if (goog.LOCALE == 'ebu_KE' || goog.LOCALE == 'ebu-KE') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ebu; } if (goog.LOCALE == 'ee') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ee; } if (goog.LOCALE == 'ee_GH' || goog.LOCALE == 'ee-GH') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ee; } if (goog.LOCALE == 'ee_TG' || goog.LOCALE == 'ee-TG') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ee; } if (goog.LOCALE == 'el_CY' || goog.LOCALE == 'el-CY') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_el_CY; } if (goog.LOCALE == 'el_GR' || goog.LOCALE == 'el-GR') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_el_GR; } if (goog.LOCALE == 'en_AS' || goog.LOCALE == 'en-AS') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_en_AS; } if (goog.LOCALE == 'en_BB' || goog.LOCALE == 'en-BB') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_en_BB; } if (goog.LOCALE == 'en_BE' || goog.LOCALE == 'en-BE') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_en_BE; } if (goog.LOCALE == 'en_BM' || goog.LOCALE == 'en-BM') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_en_BM; } if (goog.LOCALE == 'en_BW' || goog.LOCALE == 'en-BW') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_en_BW; } if (goog.LOCALE == 'en_BZ' || goog.LOCALE == 'en-BZ') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_en_BZ; } if (goog.LOCALE == 'en_CA' || goog.LOCALE == 'en-CA') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_en_CA; } if (goog.LOCALE == 'en_Dsrt' || goog.LOCALE == 'en-Dsrt') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_en_Dsrt; } if (goog.LOCALE == 'en_Dsrt_US' || goog.LOCALE == 'en-Dsrt-US') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_en_Dsrt; } if (goog.LOCALE == 'en_GU' || goog.LOCALE == 'en-GU') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_en_GU; } if (goog.LOCALE == 'en_GY' || goog.LOCALE == 'en-GY') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_en_GY; } if (goog.LOCALE == 'en_HK' || goog.LOCALE == 'en-HK') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_en_HK; } if (goog.LOCALE == 'en_JM' || goog.LOCALE == 'en-JM') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_en_JM; } if (goog.LOCALE == 'en_MH' || goog.LOCALE == 'en-MH') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_en_MH; } if (goog.LOCALE == 'en_MP' || goog.LOCALE == 'en-MP') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_en_MP; } if (goog.LOCALE == 'en_MT' || goog.LOCALE == 'en-MT') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_en_MT; } if (goog.LOCALE == 'en_MU' || goog.LOCALE == 'en-MU') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_en_MU; } if (goog.LOCALE == 'en_NA' || goog.LOCALE == 'en-NA') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_en_NA; } if (goog.LOCALE == 'en_NZ' || goog.LOCALE == 'en-NZ') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_en_NZ; } if (goog.LOCALE == 'en_PH' || goog.LOCALE == 'en-PH') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_en_PH; } if (goog.LOCALE == 'en_PK' || goog.LOCALE == 'en-PK') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_en_PK; } if (goog.LOCALE == 'en_TT' || goog.LOCALE == 'en-TT') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_en_TT; } if (goog.LOCALE == 'en_UM' || goog.LOCALE == 'en-UM') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_en_UM; } if (goog.LOCALE == 'en_VI' || goog.LOCALE == 'en-VI') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_en_VI; } if (goog.LOCALE == 'en_ZW' || goog.LOCALE == 'en-ZW') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_en_ZW; } if (goog.LOCALE == 'eo') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_eo; } if (goog.LOCALE == 'es_AR' || goog.LOCALE == 'es-AR') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_es_AR; } if (goog.LOCALE == 'es_BO' || goog.LOCALE == 'es-BO') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_es_BO; } if (goog.LOCALE == 'es_CL' || goog.LOCALE == 'es-CL') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_es_CL; } if (goog.LOCALE == 'es_CO' || goog.LOCALE == 'es-CO') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_es_CO; } if (goog.LOCALE == 'es_CR' || goog.LOCALE == 'es-CR') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_es_CR; } if (goog.LOCALE == 'es_DO' || goog.LOCALE == 'es-DO') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_es_DO; } if (goog.LOCALE == 'es_EC' || goog.LOCALE == 'es-EC') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_es_EC; } if (goog.LOCALE == 'es_ES' || goog.LOCALE == 'es-ES') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_es_ES; } if (goog.LOCALE == 'es_GQ' || goog.LOCALE == 'es-GQ') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_es_GQ; } if (goog.LOCALE == 'es_GT' || goog.LOCALE == 'es-GT') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_es_GT; } if (goog.LOCALE == 'es_HN' || goog.LOCALE == 'es-HN') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_es_HN; } if (goog.LOCALE == 'es_MX' || goog.LOCALE == 'es-MX') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_es_MX; } if (goog.LOCALE == 'es_NI' || goog.LOCALE == 'es-NI') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_es_NI; } if (goog.LOCALE == 'es_PA' || goog.LOCALE == 'es-PA') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_es_PA; } if (goog.LOCALE == 'es_PE' || goog.LOCALE == 'es-PE') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_es_PE; } if (goog.LOCALE == 'es_PR' || goog.LOCALE == 'es-PR') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_es_PR; } if (goog.LOCALE == 'es_PY' || goog.LOCALE == 'es-PY') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_es_PY; } if (goog.LOCALE == 'es_SV' || goog.LOCALE == 'es-SV') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_es_SV; } if (goog.LOCALE == 'es_US' || goog.LOCALE == 'es-US') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_es_US; } if (goog.LOCALE == 'es_UY' || goog.LOCALE == 'es-UY') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_es_UY; } if (goog.LOCALE == 'es_VE' || goog.LOCALE == 'es-VE') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_es_VE; } if (goog.LOCALE == 'et_EE' || goog.LOCALE == 'et-EE') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_et_EE; } if (goog.LOCALE == 'eu_ES' || goog.LOCALE == 'eu-ES') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_eu_ES; } if (goog.LOCALE == 'ewo') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ewo; } if (goog.LOCALE == 'ewo_CM' || goog.LOCALE == 'ewo-CM') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ewo; } if (goog.LOCALE == 'fa_AF' || goog.LOCALE == 'fa-AF') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_fa_AF; } if (goog.LOCALE == 'fa_IR' || goog.LOCALE == 'fa-IR') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_fa_IR; } if (goog.LOCALE == 'ff') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ff; } if (goog.LOCALE == 'ff_SN' || goog.LOCALE == 'ff-SN') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ff; } if (goog.LOCALE == 'fi_FI' || goog.LOCALE == 'fi-FI') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_fi_FI; } if (goog.LOCALE == 'fil_PH' || goog.LOCALE == 'fil-PH') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_fil_PH; } if (goog.LOCALE == 'fo') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_fo; } if (goog.LOCALE == 'fo_FO' || goog.LOCALE == 'fo-FO') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_fo; } if (goog.LOCALE == 'fr_BE' || goog.LOCALE == 'fr-BE') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_fr_BE; } if (goog.LOCALE == 'fr_BF' || goog.LOCALE == 'fr-BF') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_fr_BF; } if (goog.LOCALE == 'fr_BI' || goog.LOCALE == 'fr-BI') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_fr_BI; } if (goog.LOCALE == 'fr_BJ' || goog.LOCALE == 'fr-BJ') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_fr_BJ; } if (goog.LOCALE == 'fr_BL' || goog.LOCALE == 'fr-BL') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_fr_BL; } if (goog.LOCALE == 'fr_CD' || goog.LOCALE == 'fr-CD') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_fr_CD; } if (goog.LOCALE == 'fr_CF' || goog.LOCALE == 'fr-CF') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_fr_CF; } if (goog.LOCALE == 'fr_CG' || goog.LOCALE == 'fr-CG') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_fr_CG; } if (goog.LOCALE == 'fr_CH' || goog.LOCALE == 'fr-CH') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_fr_CH; } if (goog.LOCALE == 'fr_CI' || goog.LOCALE == 'fr-CI') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_fr_CI; } if (goog.LOCALE == 'fr_CM' || goog.LOCALE == 'fr-CM') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_fr_CM; } if (goog.LOCALE == 'fr_DJ' || goog.LOCALE == 'fr-DJ') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_fr_DJ; } if (goog.LOCALE == 'fr_FR' || goog.LOCALE == 'fr-FR') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_fr_FR; } if (goog.LOCALE == 'fr_GA' || goog.LOCALE == 'fr-GA') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_fr_GA; } if (goog.LOCALE == 'fr_GF' || goog.LOCALE == 'fr-GF') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_fr_GF; } if (goog.LOCALE == 'fr_GN' || goog.LOCALE == 'fr-GN') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_fr_GN; } if (goog.LOCALE == 'fr_GP' || goog.LOCALE == 'fr-GP') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_fr_GP; } if (goog.LOCALE == 'fr_GQ' || goog.LOCALE == 'fr-GQ') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_fr_GQ; } if (goog.LOCALE == 'fr_KM' || goog.LOCALE == 'fr-KM') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_fr_KM; } if (goog.LOCALE == 'fr_LU' || goog.LOCALE == 'fr-LU') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_fr_LU; } if (goog.LOCALE == 'fr_MC' || goog.LOCALE == 'fr-MC') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_fr_MC; } if (goog.LOCALE == 'fr_MF' || goog.LOCALE == 'fr-MF') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_fr_MF; } if (goog.LOCALE == 'fr_MG' || goog.LOCALE == 'fr-MG') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_fr_MG; } if (goog.LOCALE == 'fr_ML' || goog.LOCALE == 'fr-ML') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_fr_ML; } if (goog.LOCALE == 'fr_MQ' || goog.LOCALE == 'fr-MQ') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_fr_MQ; } if (goog.LOCALE == 'fr_NE' || goog.LOCALE == 'fr-NE') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_fr_NE; } if (goog.LOCALE == 'fr_RE' || goog.LOCALE == 'fr-RE') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_fr_RE; } if (goog.LOCALE == 'fr_RW' || goog.LOCALE == 'fr-RW') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_fr_RW; } if (goog.LOCALE == 'fr_SN' || goog.LOCALE == 'fr-SN') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_fr_SN; } if (goog.LOCALE == 'fr_TD' || goog.LOCALE == 'fr-TD') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_fr_TD; } if (goog.LOCALE == 'fr_TG' || goog.LOCALE == 'fr-TG') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_fr_TG; } if (goog.LOCALE == 'fr_YT' || goog.LOCALE == 'fr-YT') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_fr_YT; } if (goog.LOCALE == 'fur') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_fur; } if (goog.LOCALE == 'fur_IT' || goog.LOCALE == 'fur-IT') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_fur; } if (goog.LOCALE == 'ga') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ga; } if (goog.LOCALE == 'ga_IE' || goog.LOCALE == 'ga-IE') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ga; } if (goog.LOCALE == 'gl_ES' || goog.LOCALE == 'gl-ES') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_gl_ES; } if (goog.LOCALE == 'gsw_CH' || goog.LOCALE == 'gsw-CH') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_gsw_CH; } if (goog.LOCALE == 'gu_IN' || goog.LOCALE == 'gu-IN') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_gu_IN; } if (goog.LOCALE == 'guz') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_guz; } if (goog.LOCALE == 'guz_KE' || goog.LOCALE == 'guz-KE') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_guz; } if (goog.LOCALE == 'gv') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_gv; } if (goog.LOCALE == 'gv_GB' || goog.LOCALE == 'gv-GB') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_gv; } if (goog.LOCALE == 'ha') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ha; } if (goog.LOCALE == 'ha_Latn' || goog.LOCALE == 'ha-Latn') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ha; } if (goog.LOCALE == 'ha_Latn_GH' || goog.LOCALE == 'ha-Latn-GH') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ha; } if (goog.LOCALE == 'ha_Latn_NE' || goog.LOCALE == 'ha-Latn-NE') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ha; } if (goog.LOCALE == 'ha_Latn_NG' || goog.LOCALE == 'ha-Latn-NG') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ha; } if (goog.LOCALE == 'haw_US' || goog.LOCALE == 'haw-US') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_haw_US; } if (goog.LOCALE == 'he_IL' || goog.LOCALE == 'he-IL') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_he_IL; } if (goog.LOCALE == 'hi_IN' || goog.LOCALE == 'hi-IN') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_hi_IN; } if (goog.LOCALE == 'hr_HR' || goog.LOCALE == 'hr-HR') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_hr_HR; } if (goog.LOCALE == 'hu_HU' || goog.LOCALE == 'hu-HU') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_hu_HU; } if (goog.LOCALE == 'hy') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_hy; } if (goog.LOCALE == 'hy_AM' || goog.LOCALE == 'hy-AM') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_hy; } if (goog.LOCALE == 'ia') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ia; } if (goog.LOCALE == 'id_ID' || goog.LOCALE == 'id-ID') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_id_ID; } if (goog.LOCALE == 'ig') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ig; } if (goog.LOCALE == 'ig_NG' || goog.LOCALE == 'ig-NG') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ig; } if (goog.LOCALE == 'ii') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ii; } if (goog.LOCALE == 'ii_CN' || goog.LOCALE == 'ii-CN') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ii; } if (goog.LOCALE == 'is_IS' || goog.LOCALE == 'is-IS') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_is_IS; } if (goog.LOCALE == 'it_CH' || goog.LOCALE == 'it-CH') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_it_CH; } if (goog.LOCALE == 'it_IT' || goog.LOCALE == 'it-IT') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_it_IT; } if (goog.LOCALE == 'ja_JP' || goog.LOCALE == 'ja-JP') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ja_JP; } if (goog.LOCALE == 'jmc') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_jmc; } if (goog.LOCALE == 'jmc_TZ' || goog.LOCALE == 'jmc-TZ') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_jmc; } if (goog.LOCALE == 'ka') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ka; } if (goog.LOCALE == 'ka_GE' || goog.LOCALE == 'ka-GE') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ka; } if (goog.LOCALE == 'kab') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_kab; } if (goog.LOCALE == 'kab_DZ' || goog.LOCALE == 'kab-DZ') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_kab; } if (goog.LOCALE == 'kam') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_kam; } if (goog.LOCALE == 'kam_KE' || goog.LOCALE == 'kam-KE') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_kam; } if (goog.LOCALE == 'kde') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_kde; } if (goog.LOCALE == 'kde_TZ' || goog.LOCALE == 'kde-TZ') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_kde; } if (goog.LOCALE == 'kea') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_kea; } if (goog.LOCALE == 'kea_CV' || goog.LOCALE == 'kea-CV') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_kea; } if (goog.LOCALE == 'khq') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_khq; } if (goog.LOCALE == 'khq_ML' || goog.LOCALE == 'khq-ML') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_khq; } if (goog.LOCALE == 'ki') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ki; } if (goog.LOCALE == 'ki_KE' || goog.LOCALE == 'ki-KE') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ki; } if (goog.LOCALE == 'kk') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_kk; } if (goog.LOCALE == 'kk_Cyrl' || goog.LOCALE == 'kk-Cyrl') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_kk; } if (goog.LOCALE == 'kk_Cyrl_KZ' || goog.LOCALE == 'kk-Cyrl-KZ') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_kk; } if (goog.LOCALE == 'kl') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_kl; } if (goog.LOCALE == 'kl_GL' || goog.LOCALE == 'kl-GL') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_kl; } if (goog.LOCALE == 'kln') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_kln; } if (goog.LOCALE == 'kln_KE' || goog.LOCALE == 'kln-KE') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_kln; } if (goog.LOCALE == 'km') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_km; } if (goog.LOCALE == 'km_KH' || goog.LOCALE == 'km-KH') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_km; } if (goog.LOCALE == 'kn_IN' || goog.LOCALE == 'kn-IN') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_kn_IN; } if (goog.LOCALE == 'ko_KR' || goog.LOCALE == 'ko-KR') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ko_KR; } if (goog.LOCALE == 'kok') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_kok; } if (goog.LOCALE == 'kok_IN' || goog.LOCALE == 'kok-IN') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_kok; } if (goog.LOCALE == 'ksb') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ksb; } if (goog.LOCALE == 'ksb_TZ' || goog.LOCALE == 'ksb-TZ') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ksb; } if (goog.LOCALE == 'ksf') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ksf; } if (goog.LOCALE == 'ksf_CM' || goog.LOCALE == 'ksf-CM') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ksf; } if (goog.LOCALE == 'ksh') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ksh; } if (goog.LOCALE == 'ksh_DE' || goog.LOCALE == 'ksh-DE') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ksh; } if (goog.LOCALE == 'ku') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ku; } if (goog.LOCALE == 'kw') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_kw; } if (goog.LOCALE == 'kw_GB' || goog.LOCALE == 'kw-GB') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_kw; } if (goog.LOCALE == 'lag') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_lag; } if (goog.LOCALE == 'lag_TZ' || goog.LOCALE == 'lag-TZ') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_lag; } if (goog.LOCALE == 'lg') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_lg; } if (goog.LOCALE == 'lg_UG' || goog.LOCALE == 'lg-UG') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_lg; } if (goog.LOCALE == 'ln_CD' || goog.LOCALE == 'ln-CD') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ln_CD; } if (goog.LOCALE == 'ln_CG' || goog.LOCALE == 'ln-CG') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ln_CG; } if (goog.LOCALE == 'lo') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_lo; } if (goog.LOCALE == 'lo_LA' || goog.LOCALE == 'lo-LA') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_lo; } if (goog.LOCALE == 'lt_LT' || goog.LOCALE == 'lt-LT') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_lt_LT; } if (goog.LOCALE == 'lu') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_lu; } if (goog.LOCALE == 'lu_CD' || goog.LOCALE == 'lu-CD') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_lu; } if (goog.LOCALE == 'luo') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_luo; } if (goog.LOCALE == 'luo_KE' || goog.LOCALE == 'luo-KE') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_luo; } if (goog.LOCALE == 'luy') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_luy; } if (goog.LOCALE == 'luy_KE' || goog.LOCALE == 'luy-KE') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_luy; } if (goog.LOCALE == 'lv_LV' || goog.LOCALE == 'lv-LV') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_lv_LV; } if (goog.LOCALE == 'mas') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_mas; } if (goog.LOCALE == 'mas_KE' || goog.LOCALE == 'mas-KE') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_mas; } if (goog.LOCALE == 'mas_TZ' || goog.LOCALE == 'mas-TZ') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_mas; } if (goog.LOCALE == 'mer') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_mer; } if (goog.LOCALE == 'mer_KE' || goog.LOCALE == 'mer-KE') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_mer; } if (goog.LOCALE == 'mfe') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_mfe; } if (goog.LOCALE == 'mfe_MU' || goog.LOCALE == 'mfe-MU') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_mfe; } if (goog.LOCALE == 'mg') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_mg; } if (goog.LOCALE == 'mg_MG' || goog.LOCALE == 'mg-MG') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_mg; } if (goog.LOCALE == 'mgh') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_mgh; } if (goog.LOCALE == 'mgh_MZ' || goog.LOCALE == 'mgh-MZ') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_mgh; } if (goog.LOCALE == 'mk') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_mk; } if (goog.LOCALE == 'mk_MK' || goog.LOCALE == 'mk-MK') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_mk; } if (goog.LOCALE == 'ml_IN' || goog.LOCALE == 'ml-IN') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ml_IN; } if (goog.LOCALE == 'mr_IN' || goog.LOCALE == 'mr-IN') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_mr_IN; } if (goog.LOCALE == 'ms_BN' || goog.LOCALE == 'ms-BN') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ms_BN; } if (goog.LOCALE == 'ms_MY' || goog.LOCALE == 'ms-MY') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ms_MY; } if (goog.LOCALE == 'mt_MT' || goog.LOCALE == 'mt-MT') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_mt_MT; } if (goog.LOCALE == 'mua') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_mua; } if (goog.LOCALE == 'mua_CM' || goog.LOCALE == 'mua-CM') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_mua; } if (goog.LOCALE == 'my') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_my; } if (goog.LOCALE == 'my_MM' || goog.LOCALE == 'my-MM') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_my; } if (goog.LOCALE == 'naq') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_naq; } if (goog.LOCALE == 'naq_NA' || goog.LOCALE == 'naq-NA') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_naq; } if (goog.LOCALE == 'nb') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_nb; } if (goog.LOCALE == 'nb_NO' || goog.LOCALE == 'nb-NO') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_nb; } if (goog.LOCALE == 'nd') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_nd; } if (goog.LOCALE == 'nd_ZW' || goog.LOCALE == 'nd-ZW') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_nd; } if (goog.LOCALE == 'ne') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ne; } if (goog.LOCALE == 'ne_IN' || goog.LOCALE == 'ne-IN') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ne_IN; } if (goog.LOCALE == 'ne_NP' || goog.LOCALE == 'ne-NP') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ne; } if (goog.LOCALE == 'nl_AW' || goog.LOCALE == 'nl-AW') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_nl_AW; } if (goog.LOCALE == 'nl_BE' || goog.LOCALE == 'nl-BE') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_nl_BE; } if (goog.LOCALE == 'nl_NL' || goog.LOCALE == 'nl-NL') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_nl_NL; } if (goog.LOCALE == 'nmg') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_nmg; } if (goog.LOCALE == 'nmg_CM' || goog.LOCALE == 'nmg-CM') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_nmg; } if (goog.LOCALE == 'nn') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_nn; } if (goog.LOCALE == 'nn_NO' || goog.LOCALE == 'nn-NO') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_nn; } if (goog.LOCALE == 'nr') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_nr; } if (goog.LOCALE == 'nr_ZA' || goog.LOCALE == 'nr-ZA') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_nr; } if (goog.LOCALE == 'nso') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_nso; } if (goog.LOCALE == 'nso_ZA' || goog.LOCALE == 'nso-ZA') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_nso; } if (goog.LOCALE == 'nus') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_nus; } if (goog.LOCALE == 'nus_SD' || goog.LOCALE == 'nus-SD') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_nus; } if (goog.LOCALE == 'nyn') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_nyn; } if (goog.LOCALE == 'nyn_UG' || goog.LOCALE == 'nyn-UG') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_nyn; } if (goog.LOCALE == 'om') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_om; } if (goog.LOCALE == 'om_ET' || goog.LOCALE == 'om-ET') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_om; } if (goog.LOCALE == 'om_KE' || goog.LOCALE == 'om-KE') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_om; } if (goog.LOCALE == 'or_IN' || goog.LOCALE == 'or-IN') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_or_IN; } if (goog.LOCALE == 'pa') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_pa; } if (goog.LOCALE == 'pa_Arab' || goog.LOCALE == 'pa-Arab') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_pa_Arab; } if (goog.LOCALE == 'pa_Arab_PK' || goog.LOCALE == 'pa-Arab-PK') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_pa_Arab; } if (goog.LOCALE == 'pa_Guru' || goog.LOCALE == 'pa-Guru') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_pa; } if (goog.LOCALE == 'pa_Guru_IN' || goog.LOCALE == 'pa-Guru-IN') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_pa; } if (goog.LOCALE == 'pl_PL' || goog.LOCALE == 'pl-PL') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_pl_PL; } if (goog.LOCALE == 'ps') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ps; } if (goog.LOCALE == 'ps_AF' || goog.LOCALE == 'ps-AF') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ps; } if (goog.LOCALE == 'pt_AO' || goog.LOCALE == 'pt-AO') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_pt_AO; } if (goog.LOCALE == 'pt_GW' || goog.LOCALE == 'pt-GW') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_pt_GW; } if (goog.LOCALE == 'pt_MZ' || goog.LOCALE == 'pt-MZ') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_pt_MZ; } if (goog.LOCALE == 'pt_ST' || goog.LOCALE == 'pt-ST') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_pt_ST; } if (goog.LOCALE == 'rm') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_rm; } if (goog.LOCALE == 'rm_CH' || goog.LOCALE == 'rm-CH') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_rm; } if (goog.LOCALE == 'rn') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_rn; } if (goog.LOCALE == 'rn_BI' || goog.LOCALE == 'rn-BI') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_rn; } if (goog.LOCALE == 'ro_MD' || goog.LOCALE == 'ro-MD') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ro_MD; } if (goog.LOCALE == 'ro_RO' || goog.LOCALE == 'ro-RO') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ro_RO; } if (goog.LOCALE == 'rof') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_rof; } if (goog.LOCALE == 'rof_TZ' || goog.LOCALE == 'rof-TZ') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_rof; } if (goog.LOCALE == 'ru_MD' || goog.LOCALE == 'ru-MD') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ru_MD; } if (goog.LOCALE == 'ru_RU' || goog.LOCALE == 'ru-RU') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ru_RU; } if (goog.LOCALE == 'ru_UA' || goog.LOCALE == 'ru-UA') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ru_UA; } if (goog.LOCALE == 'rw') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_rw; } if (goog.LOCALE == 'rw_RW' || goog.LOCALE == 'rw-RW') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_rw; } if (goog.LOCALE == 'rwk') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_rwk; } if (goog.LOCALE == 'rwk_TZ' || goog.LOCALE == 'rwk-TZ') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_rwk; } if (goog.LOCALE == 'sah') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_sah; } if (goog.LOCALE == 'sah_RU' || goog.LOCALE == 'sah-RU') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_sah; } if (goog.LOCALE == 'saq') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_saq; } if (goog.LOCALE == 'saq_KE' || goog.LOCALE == 'saq-KE') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_saq; } if (goog.LOCALE == 'sbp') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_sbp; } if (goog.LOCALE == 'sbp_TZ' || goog.LOCALE == 'sbp-TZ') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_sbp; } if (goog.LOCALE == 'se') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_se; } if (goog.LOCALE == 'se_FI' || goog.LOCALE == 'se-FI') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_se_FI; } if (goog.LOCALE == 'se_NO' || goog.LOCALE == 'se-NO') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_se; } if (goog.LOCALE == 'seh') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_seh; } if (goog.LOCALE == 'seh_MZ' || goog.LOCALE == 'seh-MZ') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_seh; } if (goog.LOCALE == 'ses') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ses; } if (goog.LOCALE == 'ses_ML' || goog.LOCALE == 'ses-ML') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ses; } if (goog.LOCALE == 'sg') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_sg; } if (goog.LOCALE == 'sg_CF' || goog.LOCALE == 'sg-CF') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_sg; } if (goog.LOCALE == 'shi') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_shi; } if (goog.LOCALE == 'shi_Latn' || goog.LOCALE == 'shi-Latn') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_shi; } if (goog.LOCALE == 'shi_Latn_MA' || goog.LOCALE == 'shi-Latn-MA') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_shi; } if (goog.LOCALE == 'shi_Tfng' || goog.LOCALE == 'shi-Tfng') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_shi_Tfng; } if (goog.LOCALE == 'shi_Tfng_MA' || goog.LOCALE == 'shi-Tfng-MA') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_shi_Tfng; } if (goog.LOCALE == 'si') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_si; } if (goog.LOCALE == 'si_LK' || goog.LOCALE == 'si-LK') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_si; } if (goog.LOCALE == 'sk_SK' || goog.LOCALE == 'sk-SK') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_sk_SK; } if (goog.LOCALE == 'sl_SI' || goog.LOCALE == 'sl-SI') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_sl_SI; } if (goog.LOCALE == 'sn') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_sn; } if (goog.LOCALE == 'sn_ZW' || goog.LOCALE == 'sn-ZW') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_sn; } if (goog.LOCALE == 'so') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_so; } if (goog.LOCALE == 'so_DJ' || goog.LOCALE == 'so-DJ') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_so; } if (goog.LOCALE == 'so_ET' || goog.LOCALE == 'so-ET') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_so; } if (goog.LOCALE == 'so_KE' || goog.LOCALE == 'so-KE') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_so; } if (goog.LOCALE == 'so_SO' || goog.LOCALE == 'so-SO') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_so; } if (goog.LOCALE == 'sq_AL' || goog.LOCALE == 'sq-AL') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_sq_AL; } if (goog.LOCALE == 'sr_Cyrl' || goog.LOCALE == 'sr-Cyrl') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_sr_Cyrl; } if (goog.LOCALE == 'sr_Cyrl_BA' || goog.LOCALE == 'sr-Cyrl-BA') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_sr_Cyrl_BA; } if (goog.LOCALE == 'sr_Cyrl_ME' || goog.LOCALE == 'sr-Cyrl-ME') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_sr_Cyrl; } if (goog.LOCALE == 'sr_Cyrl_RS' || goog.LOCALE == 'sr-Cyrl-RS') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_sr_Cyrl; } if (goog.LOCALE == 'sr_Latn' || goog.LOCALE == 'sr-Latn') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_sr_Latn; } if (goog.LOCALE == 'sr_Latn_BA' || goog.LOCALE == 'sr-Latn-BA') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_sr_Latn; } if (goog.LOCALE == 'sr_Latn_ME' || goog.LOCALE == 'sr-Latn-ME') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_sr_Latn_ME; } if (goog.LOCALE == 'sr_Latn_RS' || goog.LOCALE == 'sr-Latn-RS') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_sr_Latn; } if (goog.LOCALE == 'ss') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ss; } if (goog.LOCALE == 'ss_SZ' || goog.LOCALE == 'ss-SZ') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ss; } if (goog.LOCALE == 'ss_ZA' || goog.LOCALE == 'ss-ZA') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ss; } if (goog.LOCALE == 'ssy') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ssy; } if (goog.LOCALE == 'ssy_ER' || goog.LOCALE == 'ssy-ER') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ssy; } if (goog.LOCALE == 'st') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_st; } if (goog.LOCALE == 'st_LS' || goog.LOCALE == 'st-LS') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_st; } if (goog.LOCALE == 'st_ZA' || goog.LOCALE == 'st-ZA') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_st; } if (goog.LOCALE == 'sv_FI' || goog.LOCALE == 'sv-FI') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_sv_FI; } if (goog.LOCALE == 'sv_SE' || goog.LOCALE == 'sv-SE') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_sv_SE; } if (goog.LOCALE == 'sw_KE' || goog.LOCALE == 'sw-KE') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_sw_KE; } if (goog.LOCALE == 'sw_TZ' || goog.LOCALE == 'sw-TZ') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_sw_TZ; } if (goog.LOCALE == 'swc') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_swc; } if (goog.LOCALE == 'swc_CD' || goog.LOCALE == 'swc-CD') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_swc; } if (goog.LOCALE == 'ta_IN' || goog.LOCALE == 'ta-IN') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ta_IN; } if (goog.LOCALE == 'ta_LK' || goog.LOCALE == 'ta-LK') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ta_LK; } if (goog.LOCALE == 'te_IN' || goog.LOCALE == 'te-IN') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_te_IN; } if (goog.LOCALE == 'teo') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_teo; } if (goog.LOCALE == 'teo_KE' || goog.LOCALE == 'teo-KE') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_teo; } if (goog.LOCALE == 'teo_UG' || goog.LOCALE == 'teo-UG') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_teo; } if (goog.LOCALE == 'tg') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_tg; } if (goog.LOCALE == 'tg_Cyrl' || goog.LOCALE == 'tg-Cyrl') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_tg; } if (goog.LOCALE == 'tg_Cyrl_TJ' || goog.LOCALE == 'tg-Cyrl-TJ') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_tg; } if (goog.LOCALE == 'th_TH' || goog.LOCALE == 'th-TH') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_th_TH; } if (goog.LOCALE == 'ti') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ti; } if (goog.LOCALE == 'ti_ER' || goog.LOCALE == 'ti-ER') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ti_ER; } if (goog.LOCALE == 'ti_ET' || goog.LOCALE == 'ti-ET') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ti; } if (goog.LOCALE == 'tig') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_tig; } if (goog.LOCALE == 'tig_ER' || goog.LOCALE == 'tig-ER') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_tig; } if (goog.LOCALE == 'tn') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_tn; } if (goog.LOCALE == 'tn_ZA' || goog.LOCALE == 'tn-ZA') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_tn; } if (goog.LOCALE == 'to') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_to; } if (goog.LOCALE == 'to_TO' || goog.LOCALE == 'to-TO') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_to; } if (goog.LOCALE == 'tr_TR' || goog.LOCALE == 'tr-TR') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_tr_TR; } if (goog.LOCALE == 'ts') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ts; } if (goog.LOCALE == 'ts_ZA' || goog.LOCALE == 'ts-ZA') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ts; } if (goog.LOCALE == 'twq') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_twq; } if (goog.LOCALE == 'twq_NE' || goog.LOCALE == 'twq-NE') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_twq; } if (goog.LOCALE == 'tzm') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_tzm; } if (goog.LOCALE == 'tzm_Latn' || goog.LOCALE == 'tzm-Latn') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_tzm; } if (goog.LOCALE == 'tzm_Latn_MA' || goog.LOCALE == 'tzm-Latn-MA') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_tzm; } if (goog.LOCALE == 'uk_UA' || goog.LOCALE == 'uk-UA') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_uk_UA; } if (goog.LOCALE == 'ur_IN' || goog.LOCALE == 'ur-IN') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ur_IN; } if (goog.LOCALE == 'ur_PK' || goog.LOCALE == 'ur-PK') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ur_PK; } if (goog.LOCALE == 'uz') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_uz; } if (goog.LOCALE == 'uz_Arab' || goog.LOCALE == 'uz-Arab') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_uz_Arab; } if (goog.LOCALE == 'uz_Arab_AF' || goog.LOCALE == 'uz-Arab-AF') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_uz_Arab; } if (goog.LOCALE == 'uz_Cyrl' || goog.LOCALE == 'uz-Cyrl') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_uz; } if (goog.LOCALE == 'uz_Cyrl_UZ' || goog.LOCALE == 'uz-Cyrl-UZ') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_uz; } if (goog.LOCALE == 'uz_Latn' || goog.LOCALE == 'uz-Latn') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_uz_Latn; } if (goog.LOCALE == 'uz_Latn_UZ' || goog.LOCALE == 'uz-Latn-UZ') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_uz_Latn; } if (goog.LOCALE == 'vai') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_vai; } if (goog.LOCALE == 'vai_Latn' || goog.LOCALE == 'vai-Latn') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_vai_Latn; } if (goog.LOCALE == 'vai_Latn_LR' || goog.LOCALE == 'vai-Latn-LR') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_vai_Latn; } if (goog.LOCALE == 'vai_Vaii' || goog.LOCALE == 'vai-Vaii') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_vai; } if (goog.LOCALE == 'vai_Vaii_LR' || goog.LOCALE == 'vai-Vaii-LR') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_vai; } if (goog.LOCALE == 've') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ve; } if (goog.LOCALE == 've_ZA' || goog.LOCALE == 've-ZA') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ve; } if (goog.LOCALE == 'vi_VN' || goog.LOCALE == 'vi-VN') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_vi_VN; } if (goog.LOCALE == 'vun') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_vun; } if (goog.LOCALE == 'vun_TZ' || goog.LOCALE == 'vun-TZ') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_vun; } if (goog.LOCALE == 'wae') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_wae; } if (goog.LOCALE == 'wae_CH' || goog.LOCALE == 'wae-CH') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_wae; } if (goog.LOCALE == 'wal') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_wal; } if (goog.LOCALE == 'wal_ET' || goog.LOCALE == 'wal-ET') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_wal; } if (goog.LOCALE == 'xh') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_xh; } if (goog.LOCALE == 'xh_ZA' || goog.LOCALE == 'xh-ZA') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_xh; } if (goog.LOCALE == 'xog') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_xog; } if (goog.LOCALE == 'xog_UG' || goog.LOCALE == 'xog-UG') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_xog; } if (goog.LOCALE == 'yav') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_yav; } if (goog.LOCALE == 'yav_CM' || goog.LOCALE == 'yav-CM') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_yav; } if (goog.LOCALE == 'yo') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_yo; } if (goog.LOCALE == 'yo_NG' || goog.LOCALE == 'yo-NG') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_yo; } if (goog.LOCALE == 'zh_Hans' || goog.LOCALE == 'zh-Hans') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_zh_Hans; } if (goog.LOCALE == 'zh_Hans_CN' || goog.LOCALE == 'zh-Hans-CN') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_zh_Hans; } if (goog.LOCALE == 'zh_Hans_HK' || goog.LOCALE == 'zh-Hans-HK') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_zh_Hans_HK; } if (goog.LOCALE == 'zh_Hans_MO' || goog.LOCALE == 'zh-Hans-MO') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_zh_Hans_MO; } if (goog.LOCALE == 'zh_Hans_SG' || goog.LOCALE == 'zh-Hans-SG') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_zh_Hans_SG; } if (goog.LOCALE == 'zh_Hant' || goog.LOCALE == 'zh-Hant') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_zh_Hant; } if (goog.LOCALE == 'zh_Hant_HK' || goog.LOCALE == 'zh-Hant-HK') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_zh_Hant_HK; } if (goog.LOCALE == 'zh_Hant_MO' || goog.LOCALE == 'zh-Hant-MO') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_zh_Hant_MO; } if (goog.LOCALE == 'zh_Hant_TW' || goog.LOCALE == 'zh-Hant-TW') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_zh_Hant; } if (goog.LOCALE == 'zu_ZA' || goog.LOCALE == 'zu-ZA') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_zu_ZA; }
JavaScript
// Copyright 2012 The Closure Library Authors. All Rights Reserved // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, WITHOUT // WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the // License for the specific language governing permissions and limitations under // the License. /** * @fileoverview Ordinal rules. * * This file is autogenerated by script: * http://go/generate_pluralrules.py * * Before check in, this file could have been manually edited. This is to * incorporate changes before we could fix CLDR. All manual modification must be * documented in this section, and should be removed after those changes land to * CLDR. */ goog.provide('goog.i18n.ordinalRules'); /** * Ordinal pattern keyword * @enum {string} */ goog.i18n.ordinalRules.Keyword = { ZERO: 'zero', ONE: 'one', TWO: 'two', FEW: 'few', MANY: 'many', OTHER: 'other' }; /** * Default ordinal select rule. * @param {number} n The count of items. * @return {goog.i18n.ordinalRules.Keyword} Default value. * @private */ goog.i18n.ordinalRules.defaultSelect_ = function(n) { return goog.i18n.ordinalRules.Keyword.OTHER; }; /** * Ordinal select rules for fr locale * * @param {number} n The count of items. * @return {goog.i18n.ordinalRules.Keyword} Locale-specific ordinal value. * @private */ goog.i18n.ordinalRules.frSelect_ = function(n) { if (n == 1) { return goog.i18n.ordinalRules.Keyword.ONE; } return goog.i18n.ordinalRules.Keyword.OTHER; }; /** * Ordinal select rules for hu locale * * @param {number} n The count of items. * @return {goog.i18n.ordinalRules.Keyword} Locale-specific ordinal value. * @private */ goog.i18n.ordinalRules.huSelect_ = function(n) { if (n == 1 || n == 5) { return goog.i18n.ordinalRules.Keyword.ONE; } return goog.i18n.ordinalRules.Keyword.OTHER; }; /** * Ordinal select rules for sv locale * * @param {number} n The count of items. * @return {goog.i18n.ordinalRules.Keyword} Locale-specific ordinal value. * @private */ goog.i18n.ordinalRules.svSelect_ = function(n) { if ((n % 10 == 1 || n % 10 == 2) && n % 100 != 11 && n % 100 != 12) { return goog.i18n.ordinalRules.Keyword.ONE; } return goog.i18n.ordinalRules.Keyword.OTHER; }; /** * Ordinal select rules for en locale * * @param {number} n The count of items. * @return {goog.i18n.ordinalRules.Keyword} Locale-specific ordinal value. * @private */ goog.i18n.ordinalRules.enSelect_ = function(n) { if (n % 10 == 1 && n % 100 != 11) { return goog.i18n.ordinalRules.Keyword.ONE; } if (n % 10 == 2 && n % 100 != 12) { return goog.i18n.ordinalRules.Keyword.TWO; } if (n % 10 == 3 && n % 100 != 13) { return goog.i18n.ordinalRules.Keyword.FEW; } return goog.i18n.ordinalRules.Keyword.OTHER; }; /** * Ordinal select rules for it locale * * @param {number} n The count of items. * @return {goog.i18n.ordinalRules.Keyword} Locale-specific ordinal value. * @private */ goog.i18n.ordinalRules.itSelect_ = function(n) { if (n == 11 || n == 8 || n == 80 || n == 800) { return goog.i18n.ordinalRules.Keyword.MANY; } return goog.i18n.ordinalRules.Keyword.OTHER; }; /** * Ordinal select rules for ca locale * * @param {number} n The count of items. * @return {goog.i18n.ordinalRules.Keyword} Locale-specific ordinal value. * @private */ goog.i18n.ordinalRules.caSelect_ = function(n) { if (n == 1 || n == 3) { return goog.i18n.ordinalRules.Keyword.ONE; } if (n == 2) { return goog.i18n.ordinalRules.Keyword.TWO; } if (n == 4) { return goog.i18n.ordinalRules.Keyword.FEW; } return goog.i18n.ordinalRules.Keyword.OTHER; }; /** * Ordinal select rules for mr locale * * @param {number} n The count of items. * @return {goog.i18n.ordinalRules.Keyword} Locale-specific ordinal value. * @private */ goog.i18n.ordinalRules.mrSelect_ = function(n) { if (n == 1) { return goog.i18n.ordinalRules.Keyword.ONE; } if (n == 2 || n == 3) { return goog.i18n.ordinalRules.Keyword.TWO; } if (n == 4) { return goog.i18n.ordinalRules.Keyword.FEW; } return goog.i18n.ordinalRules.Keyword.OTHER; }; /** * Ordinal select rules for gu locale * * @param {number} n The count of items. * @return {goog.i18n.ordinalRules.Keyword} Locale-specific ordinal value. * @private */ goog.i18n.ordinalRules.guSelect_ = function(n) { if (n == 1) { return goog.i18n.ordinalRules.Keyword.ONE; } if (n == 2 || n == 3) { return goog.i18n.ordinalRules.Keyword.TWO; } if (n == 4) { return goog.i18n.ordinalRules.Keyword.FEW; } if (n == 6) { return goog.i18n.ordinalRules.Keyword.MANY; } return goog.i18n.ordinalRules.Keyword.OTHER; }; /** * Ordinal select rules for bn locale * * @param {number} n The count of items. * @return {goog.i18n.ordinalRules.Keyword} Locale-specific ordinal value. * @private */ goog.i18n.ordinalRules.bnSelect_ = function(n) { if (n == 1 || n == 5 || n == 7 || n == 8 || n == 9 || n == 10) { return goog.i18n.ordinalRules.Keyword.ONE; } if (n == 2 || n == 3) { return goog.i18n.ordinalRules.Keyword.TWO; } if (n == 4) { return goog.i18n.ordinalRules.Keyword.FEW; } if (n == 6) { return goog.i18n.ordinalRules.Keyword.MANY; } return goog.i18n.ordinalRules.Keyword.OTHER; }; /** * Ordinal select rules for zu locale * * @param {number} n The count of items. * @return {goog.i18n.ordinalRules.Keyword} Locale-specific ordinal value. * @private */ goog.i18n.ordinalRules.zuSelect_ = function(n) { if (n == 1) { return goog.i18n.ordinalRules.Keyword.ONE; } if (n == (n | 0) && n >= 2 && n <= 9) { return goog.i18n.ordinalRules.Keyword.FEW; } if (n == (n | 0) && (n >= 10 && n <= 19 || n >= 100 && n <= 199 || n >= 1000 && n <= 1999)) { return goog.i18n.ordinalRules.Keyword.MANY; } return goog.i18n.ordinalRules.Keyword.OTHER; }; /** * Selected ordinal rules by locale. */ goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.enSelect_; if (goog.LOCALE == 'am') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; } if (goog.LOCALE == 'ar') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; } if (goog.LOCALE == 'bg') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; } if (goog.LOCALE == 'bn') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.bnSelect_; } if (goog.LOCALE == 'br') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; } if (goog.LOCALE == 'ca') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.caSelect_; } if (goog.LOCALE == 'cs') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; } if (goog.LOCALE == 'da') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; } if (goog.LOCALE == 'de') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; } if (goog.LOCALE == 'de_AT' || goog.LOCALE == 'de-AT') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; } if (goog.LOCALE == 'de_CH' || goog.LOCALE == 'de-CH') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; } if (goog.LOCALE == 'el') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; } if (goog.LOCALE == 'en') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.enSelect_; } if (goog.LOCALE == 'en_AU' || goog.LOCALE == 'en-AU') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.enSelect_; } if (goog.LOCALE == 'en_GB' || goog.LOCALE == 'en-GB') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.enSelect_; } if (goog.LOCALE == 'en_IE' || goog.LOCALE == 'en-IE') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.enSelect_; } if (goog.LOCALE == 'en_IN' || goog.LOCALE == 'en-IN') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.enSelect_; } if (goog.LOCALE == 'en_SG' || goog.LOCALE == 'en-SG') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.enSelect_; } if (goog.LOCALE == 'en_US' || goog.LOCALE == 'en-US') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.enSelect_; } if (goog.LOCALE == 'en_ZA' || goog.LOCALE == 'en-ZA') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.enSelect_; } if (goog.LOCALE == 'es') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; } if (goog.LOCALE == 'et') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; } if (goog.LOCALE == 'eu') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; } if (goog.LOCALE == 'fa') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; } if (goog.LOCALE == 'fi') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; } if (goog.LOCALE == 'fil') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.frSelect_; } if (goog.LOCALE == 'fr') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.frSelect_; } if (goog.LOCALE == 'fr_CA' || goog.LOCALE == 'fr-CA') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.frSelect_; } if (goog.LOCALE == 'gl') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; } if (goog.LOCALE == 'gsw') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; } if (goog.LOCALE == 'gu') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.guSelect_; } if (goog.LOCALE == 'he') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; } if (goog.LOCALE == 'hi') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.guSelect_; } if (goog.LOCALE == 'hr') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; } if (goog.LOCALE == 'hu') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.huSelect_; } if (goog.LOCALE == 'id') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; } if (goog.LOCALE == 'in') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; } if (goog.LOCALE == 'is') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; } if (goog.LOCALE == 'it') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.itSelect_; } if (goog.LOCALE == 'iw') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; } if (goog.LOCALE == 'ja') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; } if (goog.LOCALE == 'kn') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; } if (goog.LOCALE == 'ko') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; } if (goog.LOCALE == 'ln') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; } if (goog.LOCALE == 'lt') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; } if (goog.LOCALE == 'lv') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; } if (goog.LOCALE == 'ml') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; } if (goog.LOCALE == 'mr') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.mrSelect_; } if (goog.LOCALE == 'ms') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.frSelect_; } if (goog.LOCALE == 'mt') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; } if (goog.LOCALE == 'nl') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; } if (goog.LOCALE == 'no') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; } if (goog.LOCALE == 'or') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; } if (goog.LOCALE == 'pl') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; } if (goog.LOCALE == 'pt') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; } if (goog.LOCALE == 'pt_BR' || goog.LOCALE == 'pt-BR') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; } if (goog.LOCALE == 'pt_PT' || goog.LOCALE == 'pt-PT') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; } if (goog.LOCALE == 'ro') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.frSelect_; } if (goog.LOCALE == 'ru') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; } if (goog.LOCALE == 'sk') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; } if (goog.LOCALE == 'sl') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; } if (goog.LOCALE == 'sq') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; } if (goog.LOCALE == 'sr') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; } if (goog.LOCALE == 'sv') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.svSelect_; } if (goog.LOCALE == 'sw') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; } if (goog.LOCALE == 'ta') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; } if (goog.LOCALE == 'te') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; } if (goog.LOCALE == 'th') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; } if (goog.LOCALE == 'tl') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; } if (goog.LOCALE == 'tr') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; } if (goog.LOCALE == 'uk') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; } if (goog.LOCALE == 'ur') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; } if (goog.LOCALE == 'vi') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.frSelect_; } if (goog.LOCALE == 'zh') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; } if (goog.LOCALE == 'zh_CN' || goog.LOCALE == 'zh-CN') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; } if (goog.LOCALE == 'zh_HK' || goog.LOCALE == 'zh-HK') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; } if (goog.LOCALE == 'zh_TW' || goog.LOCALE == 'zh-TW') { goog.i18n.ordinalRules.select = goog.i18n.ordinalRules.defaultSelect_; }
JavaScript
// Copyright 2012 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Object which fetches Unicode codepoint names from a remote data * source. This data source should accept two parameters: * <ol> * <li>c - the list of codepoints in hexadecimal format * <li>p - the name property * </ol> * and return a JSON object representation of the result. * For example, calling this data source with the following URL: * http://datasource?c=50,ff,102bd&p=name * Should return a JSON object which looks like this: * <pre> * {"50":{"name":"LATIN CAPITAL LETTER P"}, * "ff":{"name":"LATIN SMALL LETTER Y WITH DIAERESIS"}, * "102bd":{"name":"CARIAN LETTER K2"}} * </pre>. */ goog.provide('goog.i18n.uChar.RemoteNameFetcher'); goog.require('goog.Disposable'); goog.require('goog.Uri'); goog.require('goog.debug.Logger'); goog.require('goog.i18n.uChar'); goog.require('goog.i18n.uChar.NameFetcher'); goog.require('goog.net.XhrIo'); goog.require('goog.structs.Map'); /** * Builds the RemoteNameFetcher object. This object retrieves codepoint names * from a remote data source. * * @param {string} dataSourceUri URI to the data source. * @constructor * @implements {goog.i18n.uChar.NameFetcher} * @extends {goog.Disposable} */ goog.i18n.uChar.RemoteNameFetcher = function(dataSourceUri) { goog.base(this); /** * XHRIo object for prefetch() asynchronous calls. * * @type {!goog.net.XhrIo} * @private */ this.prefetchXhrIo_ = new goog.net.XhrIo(); /** * XHRIo object for getName() asynchronous calls. * * @type {!goog.net.XhrIo} * @private */ this.getNameXhrIo_ = new goog.net.XhrIo(); /** * URI to the data. * * @type {string} * @private */ this.dataSourceUri_ = dataSourceUri; /** * A cache of all the collected names from the server. * * @type {!goog.structs.Map} * @private */ this.charNames_ = new goog.structs.Map(); }; goog.inherits(goog.i18n.uChar.RemoteNameFetcher, goog.Disposable); /** * Key to the listener on XHR for prefetch(). Used to clear previous listeners. * * @type {goog.events.Key} * @private */ goog.i18n.uChar.RemoteNameFetcher.prototype.prefetchLastListenerKey_; /** * Key to the listener on XHR for getName(). Used to clear previous listeners. * * @type {goog.events.Key} * @private */ goog.i18n.uChar.RemoteNameFetcher.prototype.getNameLastListenerKey_; /** * A reference to the RemoteNameFetcher logger. * * @type {!goog.debug.Logger} * @private */ goog.i18n.uChar.RemoteNameFetcher.logger_ = goog.debug.Logger.getLogger('goog.i18n.uChar.RemoteNameFetcher'); /** @override */ goog.i18n.uChar.RemoteNameFetcher.prototype.disposeInternal = function() { goog.base(this, 'disposeInternal'); this.prefetchXhrIo_.dispose(); this.getNameXhrIo_.dispose(); }; /** @override */ goog.i18n.uChar.RemoteNameFetcher.prototype.prefetch = function(characters) { // Abort the current request if there is one if (this.prefetchXhrIo_.isActive()) { goog.i18n.uChar.RemoteNameFetcher.logger_. info('Aborted previous prefetch() call for new incoming request'); this.prefetchXhrIo_.abort(); } if (this.prefetchLastListenerKey_) { goog.events.unlistenByKey(this.prefetchLastListenerKey_); } // Set up new listener var preFetchCallback = goog.bind(this.prefetchCallback_, this); this.prefetchLastListenerKey_ = goog.events.listenOnce(this.prefetchXhrIo_, goog.net.EventType.COMPLETE, preFetchCallback); this.fetch_(goog.i18n.uChar.RemoteNameFetcher.RequestType_.BASE_88, characters, this.prefetchXhrIo_); }; /** * Callback on completion of the prefetch operation. * * @private */ goog.i18n.uChar.RemoteNameFetcher.prototype.prefetchCallback_ = function() { this.processResponse_(this.prefetchXhrIo_); }; /** @override */ goog.i18n.uChar.RemoteNameFetcher.prototype.getName = function(character, callback) { var codepoint = goog.i18n.uChar.toCharCode(character).toString(16); if (this.charNames_.containsKey(codepoint)) { var name = /** @type {string} */ (this.charNames_.get(codepoint)); callback(name); return; } // Abort the current request if there is one if (this.getNameXhrIo_.isActive()) { goog.i18n.uChar.RemoteNameFetcher.logger_. info('Aborted previous getName() call for new incoming request'); this.getNameXhrIo_.abort(); } if (this.getNameLastListenerKey_) { goog.events.unlistenByKey(this.getNameLastListenerKey_); } // Set up new listener var getNameCallback = goog.bind(this.getNameCallback_, this, codepoint, callback); this.getNameLastListenerKey_ = goog.events.listenOnce(this.getNameXhrIo_, goog.net.EventType.COMPLETE, getNameCallback); this.fetch_(goog.i18n.uChar.RemoteNameFetcher.RequestType_.CODEPOINT, codepoint, this.getNameXhrIo_); }; /** * Callback on completion of the getName operation. * * @param {string} codepoint The codepoint in hexadecimal format. * @param {function(?string)} callback The callback function called when the * name retrieval is complete, contains a single string parameter with the * codepoint name, this parameter will be null if the character name is not * defined. * @private */ goog.i18n.uChar.RemoteNameFetcher.prototype.getNameCallback_ = function( codepoint, callback) { this.processResponse_(this.getNameXhrIo_); var name = /** @type {?string} */ (this.charNames_.get(codepoint, null)); callback(name); }; /** * Process the response received from the server and store results in the cache. * * @param {!goog.net.XhrIo} xhrIo The XhrIo object used to make the request. * @private */ goog.i18n.uChar.RemoteNameFetcher.prototype.processResponse_ = function(xhrIo) { if (!xhrIo.isSuccess()) { goog.i18n.uChar.RemoteNameFetcher.logger_.severe( 'Problem with data source: ' + xhrIo.getLastError()); return; } var result = xhrIo.getResponseJson(); for (var codepoint in result) { if (result[codepoint].hasOwnProperty('name')) { this.charNames_.set(codepoint, result[codepoint]['name']); } } }; /** * Enum for the different request types. * * @enum {string} * @private */ goog.i18n.uChar.RemoteNameFetcher.RequestType_ = { /** * Request type that uses a base 88 string containing a set of codepoints to * be fetched from the server (see goog.i18n.charpickerdata for more * information on b88). */ BASE_88: 'b88', /** * Request type that uses a a string of comma separated codepoint values. */ CODEPOINT: 'c' }; /** * Fetches a set of codepoint names from the data source. * * @param {!goog.i18n.uChar.RemoteNameFetcher.RequestType_} requestType The * request type of the operation. This parameter specifies how the server is * called to fetch a particular set of codepoints. * @param {string} requestInput The input to the request, this is the value that * is passed onto the server to complete the request. * @param {!goog.net.XhrIo} xhrIo The XHRIo object to execute the server call. * @private */ goog.i18n.uChar.RemoteNameFetcher.prototype.fetch_ = function(requestType, requestInput, xhrIo) { var url = new goog.Uri(this.dataSourceUri_); url.setParameterValue(requestType, requestInput); url.setParameterValue('p', 'name'); goog.i18n.uChar.RemoteNameFetcher.logger_.info('Request: ' + url.toString()); xhrIo.send(url); }; /** @override */ goog.i18n.uChar.RemoteNameFetcher.prototype.isNameAvailable = function( character) { return true; };
JavaScript
// Copyright 2012 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Definition of the goog.i18n.CharNameFetcher interface. This * interface is used to retrieve individual character names. */ goog.provide('goog.i18n.uChar.NameFetcher'); /** * NameFetcher interface. Implementations of this interface are used to retrieve * Unicode character names. * * @interface */ goog.i18n.uChar.NameFetcher = function() { }; /** * Retrieves the names of a given set of characters and stores them in a cache * for fast retrieval. Offline implementations can simply provide an empty * implementation. * * @param {string} characters The list of characters in base 88 to fetch. These * lists are stored by category and subcategory in the * goog.i18n.charpickerdata class. */ goog.i18n.uChar.NameFetcher.prototype.prefetch = function(characters) { }; /** * Retrieves the name of a particular character. * * @param {string} character The character to retrieve. * @param {function(?string)} callback The callback function called when the * name retrieval is complete, contains a single string parameter with the * codepoint name, this parameter will be null if the character name is not * defined. */ goog.i18n.uChar.NameFetcher.prototype.getName = function(character, callback) { }; /** * Tests whether the name of a given character is available to be retrieved by * the getName() function. * * @param {string} character The character to test. * @return {boolean} True if the fetcher can retrieve or has a name available * for the given character. */ goog.i18n.uChar.NameFetcher.prototype.isNameAvailable = function(character) { };
JavaScript
// Copyright 2012 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Object which fetches Unicode codepoint names that are locally * stored in a bundled database. Currently, only invisible characters are * covered by this database. See the goog.i18n.uChar.RemoteNameFetcher class for * a remote database option. */ goog.provide('goog.i18n.uChar.LocalNameFetcher'); goog.require('goog.debug.Logger'); goog.require('goog.i18n.uChar'); goog.require('goog.i18n.uChar.NameFetcher'); /** * Builds the NameFetcherLocal object. This is a simple object which retrieves * character names from a local bundled database. This database only covers * invisible characters. See the goog.i18n.uChar class for more details. * * @constructor * @implements {goog.i18n.uChar.NameFetcher} */ goog.i18n.uChar.LocalNameFetcher = function() { }; /** * A reference to the LocalNameFetcher logger. * * @type {!goog.debug.Logger} * @private */ goog.i18n.uChar.LocalNameFetcher.logger_ = goog.debug.Logger.getLogger('goog.i18n.uChar.LocalNameFetcher'); /** @override */ goog.i18n.uChar.LocalNameFetcher.prototype.prefetch = function(character) { }; /** @override */ goog.i18n.uChar.LocalNameFetcher.prototype.getName = function(character, callback) { var localName = goog.i18n.uChar.toName(character); if (!localName) { goog.i18n.uChar.LocalNameFetcher.logger_. warning('No local name defined for character ' + character); } callback(localName); }; /** @override */ goog.i18n.uChar.LocalNameFetcher.prototype.isNameAvailable = function( character) { return !!goog.i18n.uChar.toName(character); };
JavaScript
// Copyright 2009 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Utility for formatting text for display in a potentially * opposite-directionality context without garbling. * Mostly a port of http://go/formatter.cc. */ goog.provide('goog.i18n.BidiFormatter'); goog.require('goog.i18n.bidi'); goog.require('goog.string'); /** * Utility class for formatting text for display in a potentially * opposite-directionality context without garbling. Provides the following * functionality: * * 1. BiDi Wrapping * When text in one language is mixed into a document in another, opposite- * directionality language, e.g. when an English business name is embedded in a * Hebrew web page, both the inserted string and the text following it may be * displayed incorrectly unless the inserted string is explicitly separated * from the surrounding text in a "wrapper" that declares its directionality at * the start and then resets it back at the end. This wrapping can be done in * HTML mark-up (e.g. a 'span dir="rtl"' tag) or - only in contexts where * mark-up can not be used - in Unicode BiDi formatting codes (LRE|RLE and PDF). * Providing such wrapping services is the basic purpose of the BiDi formatter. * * 2. Directionality estimation * How does one know whether a string about to be inserted into surrounding * text has the same directionality? Well, in many cases, one knows that this * must be the case when writing the code doing the insertion, e.g. when a * localized message is inserted into a localized page. In such cases there is * no need to involve the BiDi formatter at all. In the remaining cases, e.g. * when the string is user-entered or comes from a database, the language of * the string (and thus its directionality) is not known a priori, and must be * estimated at run-time. The BiDi formatter does this automatically. * * 3. Escaping * When wrapping plain text - i.e. text that is not already HTML or HTML- * escaped - in HTML mark-up, the text must first be HTML-escaped to prevent XSS * attacks and other nasty business. This of course is always true, but the * escaping can not be done after the string has already been wrapped in * mark-up, so the BiDi formatter also serves as a last chance and includes * escaping services. * * Thus, in a single call, the formatter will escape the input string as * specified, determine its directionality, and wrap it as necessary. It is * then up to the caller to insert the return value in the output. * * See http://wiki/Main/TemplatesAndBiDi for more information. * * @param {goog.i18n.bidi.Dir|number|boolean} contextDir The context * directionality. May be supplied either as a goog.i18n.bidi.Dir constant, * as a number (positive = LRT, negative = RTL, 0 = unknown) or as a boolean * (true = RTL, false = LTR). * @param {boolean=} opt_alwaysSpan Whether {@link #spanWrap} should always * use a 'span' tag, even when the input directionality is neutral or * matches the context, so that the DOM structure of the output does not * depend on the combination of directionalities. Default: false. * @constructor */ goog.i18n.BidiFormatter = function(contextDir, opt_alwaysSpan) { /** * The overall directionality of the context in which the formatter is being * used. * @type {goog.i18n.bidi.Dir} * @private */ this.contextDir_ = goog.i18n.bidi.toDir(contextDir); /** * Whether {@link #spanWrap} and similar methods should always use the same * span structure, regardless of the combination of directionalities, for a * stable DOM structure. * @type {boolean} * @private */ this.alwaysSpan_ = !!opt_alwaysSpan; }; /** * @return {goog.i18n.bidi.Dir} The context directionality. */ goog.i18n.BidiFormatter.prototype.getContextDir = function() { return this.contextDir_; }; /** * @return {boolean} Whether alwaysSpan is set. */ goog.i18n.BidiFormatter.prototype.getAlwaysSpan = function() { return this.alwaysSpan_; }; /** * @param {goog.i18n.bidi.Dir|number|boolean} contextDir The context * directionality. May be supplied either as a goog.i18n.bidi.Dir constant, * as a number (positive = LRT, negative = RTL, 0 = unknown) or as a boolean * (true = RTL, false = LTR). */ goog.i18n.BidiFormatter.prototype.setContextDir = function(contextDir) { this.contextDir_ = goog.i18n.bidi.toDir(contextDir); }; /** * @param {boolean} alwaysSpan Whether {@link #spanWrap} should always use a * 'span' tag, even when the input directionality is neutral or matches the * context, so that the DOM structure of the output does not depend on the * combination of directionalities. */ goog.i18n.BidiFormatter.prototype.setAlwaysSpan = function(alwaysSpan) { this.alwaysSpan_ = alwaysSpan; }; /** * Returns the directionality of input argument {@code str}. * Identical to {@link goog.i18n.bidi.estimateDirection}. * * @param {string} str The input text. * @param {boolean=} opt_isHtml Whether {@code str} is HTML / HTML-escaped. * Default: false. * @return {goog.i18n.bidi.Dir} Estimated overall directionality of {@code str}. */ goog.i18n.BidiFormatter.prototype.estimateDirection = goog.i18n.bidi.estimateDirection; /** * Returns true if two given directionalities are opposite. * Note: the implementation is based on the numeric values of the Dir enum. * * @param {goog.i18n.bidi.Dir} dir1 1st directionality. * @param {goog.i18n.bidi.Dir} dir2 2nd directionality. * @return {boolean} Whether the directionalities are opposite. * @private */ goog.i18n.BidiFormatter.prototype.areDirectionalitiesOpposite_ = function(dir1, dir2) { return dir1 * dir2 < 0; }; /** * Returns a unicode BiDi mark matching the context directionality (LRM or * RLM) if {@code opt_dirReset}, and if either the directionality or the exit * directionality of {@code str} is opposite to the context directionality. * Otherwise returns the empty string. * * @param {string} str The input text. * @param {goog.i18n.bidi.Dir} dir {@code str}'s overall directionality. * @param {boolean=} opt_isHtml Whether {@code str} is HTML / HTML-escaped. * Default: false. * @param {boolean=} opt_dirReset Whether to perform the reset. Default: false. * @return {string} A unicode BiDi mark or the empty string. * @private */ goog.i18n.BidiFormatter.prototype.dirResetIfNeeded_ = function(str, dir, opt_isHtml, opt_dirReset) { // endsWithRtl and endsWithLtr are called only if needed (short-circuit). if (opt_dirReset && (this.areDirectionalitiesOpposite_(dir, this.contextDir_) || (this.contextDir_ == goog.i18n.bidi.Dir.LTR && goog.i18n.bidi.endsWithRtl(str, opt_isHtml)) || (this.contextDir_ == goog.i18n.bidi.Dir.RTL && goog.i18n.bidi.endsWithLtr(str, opt_isHtml)))) { return this.contextDir_ == goog.i18n.bidi.Dir.LTR ? goog.i18n.bidi.Format.LRM : goog.i18n.bidi.Format.RLM; } else { return ''; } }; /** * Returns "rtl" if {@code str}'s estimated directionality is RTL, and "ltr" if * it is LTR. In case it's UNKNOWN, returns "rtl" if the context directionality * is RTL, and "ltr" otherwise. * Needed for GXP, which can't handle dirAttr. * Example use case: * <td expr:dir='bidiFormatter.dirAttrValue(foo)'><gxp:eval expr='foo'></td> * * @param {string} str Text whose directionality is to be estimated. * @param {boolean=} opt_isHtml Whether {@code str} is HTML / HTML-escaped. * Default: false. * @return {string} "rtl" or "ltr", according to the logic described above. */ goog.i18n.BidiFormatter.prototype.dirAttrValue = function(str, opt_isHtml) { return this.knownDirAttrValue(this.estimateDirection(str, opt_isHtml)); }; /** * Returns "rtl" if the given directionality is RTL, and "ltr" if it is LTR. In * case it's UNKNOWN, returns "rtl" if the context directionality is RTL, and * "ltr" otherwise. * * @param {goog.i18n.bidi.Dir} dir A directionality. * @return {string} "rtl" or "ltr", according to the logic described above. */ goog.i18n.BidiFormatter.prototype.knownDirAttrValue = function(dir) { if (dir == goog.i18n.bidi.Dir.UNKNOWN) { dir = this.contextDir_; } return dir == goog.i18n.bidi.Dir.RTL ? 'rtl' : 'ltr'; }; /** * Returns 'dir="ltr"' or 'dir="rtl"', depending on {@code str}'s estimated * directionality, if it is not the same as the context directionality. * Otherwise, returns the empty string. * * @param {string} str Text whose directionality is to be estimated. * @param {boolean=} opt_isHtml Whether {@code str} is HTML / HTML-escaped. * Default: false. * @return {string} 'dir="rtl"' for RTL text in non-RTL context; 'dir="ltr"' for * LTR text in non-LTR context; else, the empty string. */ goog.i18n.BidiFormatter.prototype.dirAttr = function(str, opt_isHtml) { return this.knownDirAttr(this.estimateDirection(str, opt_isHtml)); }; /** * Returns 'dir="ltr"' or 'dir="rtl"', depending on the given directionality, if * it is not the same as the context directionality. Otherwise, returns the * empty string. * * @param {goog.i18n.bidi.Dir} dir A directionality. * @return {string} 'dir="rtl"' for RTL text in non-RTL context; 'dir="ltr"' for * LTR text in non-LTR context; else, the empty string. */ goog.i18n.BidiFormatter.prototype.knownDirAttr = function(dir) { if (dir != this.contextDir_) { return dir == goog.i18n.bidi.Dir.RTL ? 'dir="rtl"' : dir == goog.i18n.bidi.Dir.LTR ? 'dir="ltr"' : ''; } return ''; }; /** * Formats a string of unknown directionality for use in HTML output of the * context directionality, so an opposite-directionality string is neither * garbled nor garbles what follows it. * The algorithm: estimates the directionality of input argument {@code str}. In * case its directionality doesn't match the context directionality, wraps it * with a 'span' tag and adds a "dir" attribute (either 'dir="rtl"' or * 'dir="ltr"'). If setAlwaysSpan(true) was used, the input is always wrapped * with 'span', skipping just the dir attribute when it's not needed. * * If {@code opt_dirReset}, and if the overall directionality or the exit * directionality of {@code str} are opposite to the context directionality, a * trailing unicode BiDi mark matching the context directionality is appened * (LRM or RLM). * * If !{@code opt_isHtml}, HTML-escapes {@code str} regardless of wrapping. * * @param {string} str The input text. * @param {boolean=} opt_isHtml Whether {@code str} is HTML / HTML-escaped. * Default: false. * @param {boolean=} opt_dirReset Whether to append a trailing unicode bidi mark * matching the context directionality, when needed, to prevent the possible * garbling of whatever may follow {@code str}. Default: true. * @return {string} Input text after applying the above processing. */ goog.i18n.BidiFormatter.prototype.spanWrap = function(str, opt_isHtml, opt_dirReset) { var dir = this.estimateDirection(str, opt_isHtml); return this.spanWrapWithKnownDir(dir, str, opt_isHtml, opt_dirReset); }; /** * Formats a string of given directionality for use in HTML output of the * context directionality, so an opposite-directionality string is neither * garbled nor garbles what follows it. * The algorithm: If {@code dir} doesn't match the context directionality, wraps * {@code str} with a 'span' tag and adds a "dir" attribute (either 'dir="rtl"' * or 'dir="ltr"'). If setAlwaysSpan(true) was used, the input is always wrapped * with 'span', skipping just the dir attribute when it's not needed. * * If {@code opt_dirReset}, and if {@code dir} or the exit directionality of * {@code str} are opposite to the context directionality, a trailing unicode * BiDi mark matching the context directionality is appened (LRM or RLM). * * If !{@code opt_isHtml}, HTML-escapes {@code str} regardless of wrapping. * * @param {goog.i18n.bidi.Dir} dir {@code str}'s overall directionality. * @param {string} str The input text. * @param {boolean=} opt_isHtml Whether {@code str} is HTML / HTML-escaped. * Default: false. * @param {boolean=} opt_dirReset Whether to append a trailing unicode bidi mark * matching the context directionality, when needed, to prevent the possible * garbling of whatever may follow {@code str}. Default: true. * @return {string} Input text after applying the above processing. */ goog.i18n.BidiFormatter.prototype.spanWrapWithKnownDir = function(dir, str, opt_isHtml, opt_dirReset) { opt_dirReset = opt_dirReset || (opt_dirReset == undefined); // Whether to add the "dir" attribute. var dirCondition = dir != goog.i18n.bidi.Dir.UNKNOWN && dir != this.contextDir_; if (!opt_isHtml) { str = goog.string.htmlEscape(str); } var result = []; if (this.alwaysSpan_ || dirCondition) { // Wrap is needed result.push('<span'); if (dirCondition) { result.push(dir == goog.i18n.bidi.Dir.RTL ? ' dir="rtl"' : ' dir="ltr"'); } result.push('>' + str + '</span>'); } else { result.push(str); } result.push(this.dirResetIfNeeded_(str, dir, true, opt_dirReset)); return result.join(''); }; /** * Formats a string of unknown directionality for use in plain-text output of * the context directionality, so an opposite-directionality string is neither * garbled nor garbles what follows it. * As opposed to {@link #spanWrap}, this makes use of unicode BiDi formatting * characters. In HTML, its *only* valid use is inside of elements that do not * allow mark-up, e.g. an 'option' tag. * The algorithm: estimates the directionality of input argument {@code str}. * In case it doesn't match the context directionality, wraps it with Unicode * BiDi formatting characters: RLE{@code str}PDF for RTL text, and * LRE{@code str}PDF for LTR text. * * If {@code opt_dirReset}, and if the overall directionality or the exit * directionality of {@code str} are opposite to the context directionality, a * trailing unicode BiDi mark matching the context directionality is appended * (LRM or RLM). * * Does *not* do HTML-escaping regardless of the value of {@code opt_isHtml}. * The return value can be HTML-escaped as necessary. * * @param {string} str The input text. * @param {boolean=} opt_isHtml Whether {@code str} is HTML / HTML-escaped. * Default: false. * @param {boolean=} opt_dirReset Whether to append a trailing unicode bidi mark * matching the context directionality, when needed, to prevent the possible * garbling of whatever may follow {@code str}. Default: true. * @return {string} Input text after applying the above processing. */ goog.i18n.BidiFormatter.prototype.unicodeWrap = function(str, opt_isHtml, opt_dirReset) { var dir = this.estimateDirection(str, opt_isHtml); return this.unicodeWrapWithKnownDir(dir, str, opt_isHtml, opt_dirReset); }; /** * Formats a string of given directionality for use in plain-text output of the * context directionality, so an opposite-directionality string is neither * garbled nor garbles what follows it. * As opposed to {@link #spanWrapWithKnownDir}, makes use of unicode BiDi * formatting characters. In HTML, its *only* valid use is inside of elements * that do not allow mark-up, e.g. an 'option' tag. * The algorithm: If {@code dir} doesn't match the context directionality, wraps * {@code str} with Unicode BiDi formatting characters: RLE{@code str}PDF for * RTL text, and LRE{@code str}PDF for LTR text. * * If {@code opt_dirReset}, and if the overall directionality or the exit * directionality of {@code str} are opposite to the context directionality, a * trailing unicode BiDi mark matching the context directionality is appended * (LRM or RLM). * * Does *not* do HTML-escaping regardless of the value of {@code opt_isHtml}. * The return value can be HTML-escaped as necessary. * * @param {goog.i18n.bidi.Dir} dir {@code str}'s overall directionality. * @param {string} str The input text. * @param {boolean=} opt_isHtml Whether {@code str} is HTML / HTML-escaped. * Default: false. * @param {boolean=} opt_dirReset Whether to append a trailing unicode bidi mark * matching the context directionality, when needed, to prevent the possible * garbling of whatever may follow {@code str}. Default: true. * @return {string} Input text after applying the above processing. */ goog.i18n.BidiFormatter.prototype.unicodeWrapWithKnownDir = function(dir, str, opt_isHtml, opt_dirReset) { opt_dirReset = opt_dirReset || (opt_dirReset == undefined); var result = []; if (dir != goog.i18n.bidi.Dir.UNKNOWN && dir != this.contextDir_) { result.push(dir == goog.i18n.bidi.Dir.RTL ? goog.i18n.bidi.Format.RLE : goog.i18n.bidi.Format.LRE); result.push(str); result.push(goog.i18n.bidi.Format.PDF); } else { result.push(str); } result.push(this.dirResetIfNeeded_(str, dir, opt_isHtml, opt_dirReset)); return result.join(''); }; /** * Returns a Unicode BiDi mark matching the context directionality (LRM or RLM) * if the directionality or the exit directionality of {@code str} are opposite * to the context directionality. Otherwise returns the empty string. * * @param {string} str The input text. * @param {boolean=} opt_isHtml Whether {@code str} is HTML / HTML-escaped. * Default: false. * @return {string} A Unicode bidi mark matching the global directionality or * the empty string. */ goog.i18n.BidiFormatter.prototype.markAfter = function(str, opt_isHtml) { return this.dirResetIfNeeded_(str, this.estimateDirection(str, opt_isHtml), opt_isHtml, true); }; /** * Returns the Unicode BiDi mark matching the context directionality (LRM for * LTR context directionality, RLM for RTL context directionality), or the * empty string for neutral / unknown context directionality. * * @return {string} LRM for LTR context directionality and RLM for RTL context * directionality. */ goog.i18n.BidiFormatter.prototype.mark = function() { switch (this.contextDir_) { case (goog.i18n.bidi.Dir.LTR): return goog.i18n.bidi.Format.LRM; case (goog.i18n.bidi.Dir.RTL): return goog.i18n.bidi.Format.RLM; default: return ''; } }; /** * Returns 'right' for RTL context directionality. Otherwise (LTR or neutral / * unknown context directionality) returns 'left'. * * @return {string} 'right' for RTL context directionality and 'left' for other * context directionality. */ goog.i18n.BidiFormatter.prototype.startEdge = function() { return this.contextDir_ == goog.i18n.bidi.Dir.RTL ? goog.i18n.bidi.RIGHT : goog.i18n.bidi.LEFT; }; /** * Returns 'left' for RTL context directionality. Otherwise (LTR or neutral / * unknown context directionality) returns 'right'. * * @return {string} 'left' for RTL context directionality and 'right' for other * context directionality. */ goog.i18n.BidiFormatter.prototype.endEdge = function() { return this.contextDir_ == goog.i18n.bidi.Dir.RTL ? goog.i18n.bidi.LEFT : goog.i18n.bidi.RIGHT; };
JavaScript
// Copyright 2010 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Functions for encoding strings according to MIME * standards, especially RFC 1522. */ goog.provide('goog.i18n.mime'); goog.provide('goog.i18n.mime.encode'); goog.require('goog.array'); /** * Regular expression for matching those characters that are outside the * range that can be used in the quoted-printable encoding of RFC 1522: * anything outside the 7-bit ASCII encoding, plus ?, =, _ or space. * @type {RegExp} * @private */ goog.i18n.mime.NONASCII_ = /[^!-<>@-^`-~]/g; /** * Like goog.i18n.NONASCII_ but also omits double-quotes. * @type {RegExp} * @private */ goog.i18n.mime.NONASCII_NOQUOTE_ = /[^!#-<>@-^`-~]/g; /** * Encodes a string for inclusion in a MIME header. The string is encoded * in UTF-8 according to RFC 1522, using quoted-printable form. * @param {string} str The string to encode. * @param {boolean=} opt_noquote Whether double-quote characters should also * be escaped (should be true if the result will be placed inside a * quoted string for a parameter value in a MIME header). * @return {string} The encoded string. */ goog.i18n.mime.encode = function(str, opt_noquote) { var nonascii = opt_noquote ? goog.i18n.mime.NONASCII_NOQUOTE_ : goog.i18n.mime.NONASCII_; if (str.search(nonascii) >= 0) { str = '=?UTF-8?Q?' + str.replace(nonascii, /** * @param {string} c The matched char. * @return {string} The quoted-printable form of utf-8 encoding. */ function(c) { var i = c.charCodeAt(0); if (i == 32) { // Special case for space, which can be encoded as _ not =20 return '_'; } var a = goog.array.concat('', goog.i18n.mime.getHexCharArray(c)); return a.join('='); }) + '?='; } return str; }; /** * Get an array of UTF-8 hex codes for a given character. * @param {string} c The matched character. * @return {!Array.<string>} A hex array representing the character. */ goog.i18n.mime.getHexCharArray = function(c) { var i = c.charCodeAt(0); var a = []; // First convert the UCS-2 character into its UTF-8 bytes if (i < 128) { a.push(i); } else if (i <= 0x7ff) { a.push( 0xc0 + ((i >> 6) & 0x3f), 0x80 + (i & 0x3f)); } else if (i <= 0xffff) { a.push( 0xe0 + ((i >> 12) & 0x3f), 0x80 + ((i >> 6) & 0x3f), 0x80 + (i & 0x3f)); } else { // (This is defensive programming, since ecmascript isn't supposed // to handle code points that take more than 16 bits.) a.push( 0xf0 + ((i >> 18) & 0x3f), 0x80 + ((i >> 12) & 0x3f), 0x80 + ((i >> 6) & 0x3f), 0x80 + (i & 0x3f)); } // Now convert those bytes into hex strings (don't do anything with // a[0] as that's got the empty string that lets us use join()) for (i = a.length - 1; i >= 0; --i) { a[i] = a[i].toString(16); } return a; };
JavaScript
// Copyright 2006 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Functions for dealing with date/time formatting. */ /** * Namespace for i18n date/time formatting functions */ goog.provide('goog.i18n.DateTimeFormat'); goog.provide('goog.i18n.DateTimeFormat.Format'); goog.require('goog.asserts'); goog.require('goog.date.DateLike'); goog.require('goog.i18n.DateTimeSymbols'); goog.require('goog.i18n.TimeZone'); goog.require('goog.string'); /** * Datetime formatting functions following the pattern specification as defined * in JDK, ICU and CLDR, with minor modification for typical usage in JS. * Pattern specification: (Refer to JDK/ICU/CLDR) * <pre> * Symbol Meaning Presentation Example * ------ ------- ------------ ------- * G era designator (Text) AD * y# year (Number) 1996 * Y* year (week of year) (Number) 1997 * u* extended year (Number) 4601 * M month in year (Text & Number) July & 07 * d day in month (Number) 10 * h hour in am/pm (1~12) (Number) 12 * H hour in day (0~23) (Number) 0 * m minute in hour (Number) 30 * s second in minute (Number) 55 * S fractional second (Number) 978 * E day of week (Text) Tuesday * e* day of week (local 1~7) (Number) 2 * D* day in year (Number) 189 * F* day of week in month (Number) 2 (2nd Wed in July) * w* week in year (Number) 27 * W* week in month (Number) 2 * a am/pm marker (Text) PM * k hour in day (1~24) (Number) 24 * K hour in am/pm (0~11) (Number) 0 * z time zone (Text) Pacific Standard Time * Z time zone (RFC 822) (Number) -0800 * v time zone (generic) (Text) Pacific Time * g* Julian day (Number) 2451334 * A* milliseconds in day (Number) 69540000 * ' escape for text (Delimiter) 'Date=' * '' single quote (Literal) 'o''clock' * * Item marked with '*' are not supported yet. * Item marked with '#' works different than java * * The count of pattern letters determine the format. * (Text): 4 or more, use full form, <4, use short or abbreviated form if it * exists. (e.g., "EEEE" produces "Monday", "EEE" produces "Mon") * * (Number): the minimum number of digits. Shorter numbers are zero-padded to * this amount (e.g. if "m" produces "6", "mm" produces "06"). Year is handled * specially; that is, if the count of 'y' is 2, the Year will be truncated to * 2 digits. (e.g., if "yyyy" produces "1997", "yy" produces "97".) Unlike other * fields, fractional seconds are padded on the right with zero. * * (Text & Number): 3 or over, use text, otherwise use number. (e.g., "M" * produces "1", "MM" produces "01", "MMM" produces "Jan", and "MMMM" produces * "January".) * * Any characters in the pattern that are not in the ranges of ['a'..'z'] and * ['A'..'Z'] will be treated as quoted text. For instance, characters like ':', * '.', ' ', '#' and '@' will appear in the resulting time text even they are * not embraced within single quotes. * </pre> */ /** * Construct a DateTimeFormat object based on current locale. * @constructor * @param {string|number} pattern pattern specification or pattern type. */ goog.i18n.DateTimeFormat = function(pattern) { goog.asserts.assert(goog.isDef(pattern), 'Pattern must be defined'); this.patternParts_ = []; if (typeof pattern == 'number') { this.applyStandardPattern_(pattern); } else { this.applyPattern_(pattern); } }; /** * Enum to identify predefined Date/Time format pattern. * @enum {number} */ goog.i18n.DateTimeFormat.Format = { FULL_DATE: 0, LONG_DATE: 1, MEDIUM_DATE: 2, SHORT_DATE: 3, FULL_TIME: 4, LONG_TIME: 5, MEDIUM_TIME: 6, SHORT_TIME: 7, FULL_DATETIME: 8, LONG_DATETIME: 9, MEDIUM_DATETIME: 10, SHORT_DATETIME: 11 }; /** * regular expression pattern for parsing pattern string * @type {Array.<RegExp>} * @private */ goog.i18n.DateTimeFormat.TOKENS_ = [ //quote string /^\'(?:[^\']|\'\')*\'/, // pattern chars /^(?:G+|y+|M+|k+|S+|E+|a+|h+|K+|H+|c+|L+|Q+|d+|m+|s+|v+|z+|Z+)/, // and all the other chars /^[^\'GyMkSEahKHcLQdmsvzZ]+/ // and all the other chars ]; /** * These are token types, corresponding to above token definitions. * @enum {number} * @private */ goog.i18n.DateTimeFormat.PartTypes_ = { QUOTED_STRING: 0, FIELD: 1, LITERAL: 2 }; /** * Apply specified pattern to this formatter object. * @param {string} pattern String specifying how the date should be formatted. * @private */ goog.i18n.DateTimeFormat.prototype.applyPattern_ = function(pattern) { // lex the pattern, once for all uses while (pattern) { for (var i = 0; i < goog.i18n.DateTimeFormat.TOKENS_.length; ++i) { var m = pattern.match(goog.i18n.DateTimeFormat.TOKENS_[i]); if (m) { var part = m[0]; pattern = pattern.substring(part.length); if (i == goog.i18n.DateTimeFormat.PartTypes_.QUOTED_STRING) { if (part == "''") { part = "'"; // '' -> ' } else { part = part.substring(1, part.length - 1); // strip quotes part = part.replace(/\'\'/, "'"); } } this.patternParts_.push({ text: part, type: i }); break; } } } }; /** * Format the given date object according to preset pattern and current lcoale. * @param {goog.date.DateLike} date The Date object that is being formatted. * @param {goog.i18n.TimeZone=} opt_timeZone optional, if specified, time * related fields will be formatted based on its setting. When this field * is not specified, "undefined" will be pass around and those function * that really need time zone service will create a default one. * @return {string} Formatted string for the given date. */ goog.i18n.DateTimeFormat.prototype.format = function(date, opt_timeZone) { // We don't want to write code to calculate each date field because we // want to maximize performance and minimize code size. // JavaScript only provide API to render local time. // Suppose target date is: 16:00 GMT-0400 // OS local time is: 12:00 GMT-0800 // We want to create a Local Date Object : 16:00 GMT-0800, and fix the // time zone display ourselves. // Thing get a little bit tricky when daylight time transition happens. For // example, suppose OS timeZone is America/Los_Angeles, it is impossible to // represent "2006/4/2 02:30" even for those timeZone that has no transition // at this time. Because 2:00 to 3:00 on that day does not exising in // America/Los_Angeles time zone. To avoid calculating date field through // our own code, we uses 3 Date object instead, one for "Year, month, day", // one for time within that day, and one for timeZone object since it need // the real time to figure out actual time zone offset. var diff = opt_timeZone ? (date.getTimezoneOffset() - opt_timeZone.getOffset(date)) * 60000 : 0; var dateForDate = diff ? new Date(date.getTime() + diff) : date; var dateForTime = dateForDate; // in daylight time switch on/off hour, diff adjustment could alter time // because of timeZone offset change, move 1 day forward or backward. if (opt_timeZone && dateForDate.getTimezoneOffset() != date.getTimezoneOffset()) { diff += diff > 0 ? -24 * 60 * 60000 : 24 * 60 * 60000; dateForTime = new Date(date.getTime() + diff); } var out = []; for (var i = 0; i < this.patternParts_.length; ++i) { var text = this.patternParts_[i].text; if (goog.i18n.DateTimeFormat.PartTypes_.FIELD == this.patternParts_[i].type) { out.push(this.formatField_(text, date, dateForDate, dateForTime, opt_timeZone)); } else { out.push(text); } } return out.join(''); }; /** * Apply a predefined pattern as identified by formatType, which is stored in * locale specific repository. * @param {number} formatType A number that identified the predefined pattern. * @private */ goog.i18n.DateTimeFormat.prototype.applyStandardPattern_ = function(formatType) { var pattern; if (formatType < 4) { pattern = goog.i18n.DateTimeSymbols.DATEFORMATS[formatType]; } else if (formatType < 8) { pattern = goog.i18n.DateTimeSymbols.TIMEFORMATS[formatType - 4]; } else if (formatType < 12) { pattern = goog.i18n.DateTimeSymbols.DATEFORMATS[formatType - 8] + ' ' + goog.i18n.DateTimeSymbols.TIMEFORMATS[formatType - 8]; } else { this.applyStandardPattern_(goog.i18n.DateTimeFormat.Format.MEDIUM_DATETIME); return; } this.applyPattern_(pattern); }; /** * Localizes a string potentially containing numbers, replacing ASCII digits * with native digits if specified so by the locale. Leaves other characters. * * @param {string} input the string to be localized, using ASCII digits. * @return {string} localized string, potentially using native digits. * @private */ goog.i18n.DateTimeFormat.prototype.localizeNumbers_ = function(input) { if (goog.i18n.DateTimeSymbols.ZERODIGIT === undefined) { return input; } var parts = []; for (var i = 0; i < input.length; i++) { var c = input.charCodeAt(i); parts.push((0x30 <= c && c <= 0x39) ? // '0' <= c <= '9' String.fromCharCode(goog.i18n.DateTimeSymbols.ZERODIGIT + c - 0x30) : input.charAt(i)); } return parts.join(''); }; /** * Formats Era field according to pattern specified. * * @param {number} count Number of time pattern char repeats, it controls * how a field should be formatted. * @param {goog.date.DateLike} date It holds the date object to be formatted. * @return {string} Formatted string that represent this field. * @private */ goog.i18n.DateTimeFormat.prototype.formatEra_ = function(count, date) { var value = date.getFullYear() > 0 ? 1 : 0; return count >= 4 ? goog.i18n.DateTimeSymbols.ERANAMES[value] : goog.i18n.DateTimeSymbols.ERAS[value]; }; /** * Formats Year field according to pattern specified * Javascript Date object seems incapable handling 1BC and * year before. It can show you year 0 which does not exists. * following we just keep consistent with javascript's * toString method. But keep in mind those things should be * unsupported. * @param {number} count Number of time pattern char repeats, it controls * how a field should be formatted. * @param {goog.date.DateLike} date It holds the date object to be formatted. * @return {string} Formatted string that represent this field. * @private */ goog.i18n.DateTimeFormat.prototype.formatYear_ = function(count, date) { var value = date.getFullYear(); if (value < 0) { value = -value; } return this.localizeNumbers_(count == 2 ? goog.string.padNumber(value % 100, 2) : String(value)); }; /** * Formats Month field according to pattern specified * * @param {number} count Number of time pattern char repeats, it controls * how a field should be formatted. * @param {goog.date.DateLike} date It holds the date object to be formatted. * @return {string} Formatted string that represent this field. * @private */ goog.i18n.DateTimeFormat.prototype.formatMonth_ = function(count, date) { var value = date.getMonth(); switch (count) { case 5: return goog.i18n.DateTimeSymbols.NARROWMONTHS[value]; case 4: return goog.i18n.DateTimeSymbols.MONTHS[value]; case 3: return goog.i18n.DateTimeSymbols.SHORTMONTHS[value]; default: return this.localizeNumbers_(goog.string.padNumber(value + 1, count)); } }; /** * Formats (1..24) Hours field according to pattern specified * * @param {number} count Number of time pattern char repeats. This controls * how a field should be formatted. * @param {goog.date.DateLike} date It holds the date object to be formatted. * @return {string} Formatted string that represent this field. * @private */ goog.i18n.DateTimeFormat.prototype.format24Hours_ = function(count, date) { return this.localizeNumbers_( goog.string.padNumber(date.getHours() || 24, count)); }; /** * Formats Fractional seconds field according to pattern * specified * * @param {number} count Number of time pattern char repeats, it controls * how a field should be formatted. * @param {goog.date.DateLike} date It holds the date object to be formatted. * * @return {string} Formatted string that represent this field. * @private */ goog.i18n.DateTimeFormat.prototype.formatFractionalSeconds_ = function(count, date) { // Fractional seconds left-justify, append 0 for precision beyond 3 var value = date.getTime() % 1000 / 1000; return this.localizeNumbers_( value.toFixed(Math.min(3, count)).substr(2) + (count > 3 ? goog.string.padNumber(0, count - 3) : '')); }; /** * Formats Day of week field according to pattern specified * * @param {number} count Number of time pattern char repeats, it controls * how a field should be formatted. * @param {goog.date.DateLike} date It holds the date object to be formatted. * @return {string} Formatted string that represent this field. * @private */ goog.i18n.DateTimeFormat.prototype.formatDayOfWeek_ = function(count, date) { var value = date.getDay(); return count >= 4 ? goog.i18n.DateTimeSymbols.WEEKDAYS[value] : goog.i18n.DateTimeSymbols.SHORTWEEKDAYS[value]; }; /** * Formats Am/Pm field according to pattern specified * * @param {number} count Number of time pattern char repeats, it controls * how a field should be formatted. * @param {goog.date.DateLike} date It holds the date object to be formatted. * @return {string} Formatted string that represent this field. * @private */ goog.i18n.DateTimeFormat.prototype.formatAmPm_ = function(count, date) { var hours = date.getHours(); return goog.i18n.DateTimeSymbols.AMPMS[hours >= 12 && hours < 24 ? 1 : 0]; }; /** * Formats (1..12) Hours field according to pattern specified * * @param {number} count Number of time pattern char repeats, it controls * how a field should be formatted. * @param {goog.date.DateLike} date It holds the date object to be formatted. * @return {string} formatted string that represent this field. * @private */ goog.i18n.DateTimeFormat.prototype.format1To12Hours_ = function(count, date) { return this.localizeNumbers_( goog.string.padNumber(date.getHours() % 12 || 12, count)); }; /** * Formats (0..11) Hours field according to pattern specified * * @param {number} count Number of time pattern char repeats, it controls * how a field should be formatted. * @param {goog.date.DateLike} date It holds the date object to be formatted. * @return {string} formatted string that represent this field. * @private */ goog.i18n.DateTimeFormat.prototype.format0To11Hours_ = function(count, date) { return this.localizeNumbers_( goog.string.padNumber(date.getHours() % 12, count)); }; /** * Formats (0..23) Hours field according to pattern specified * * @param {number} count Number of time pattern char repeats, it controls * how a field should be formatted. * @param {goog.date.DateLike} date It holds the date object to be formatted. * @return {string} formatted string that represent this field. * @private */ goog.i18n.DateTimeFormat.prototype.format0To23Hours_ = function(count, date) { return this.localizeNumbers_(goog.string.padNumber(date.getHours(), count)); }; /** * Formats Standalone weekday field according to pattern specified * * @param {number} count Number of time pattern char repeats, it controls * how a field should be formatted. * @param {goog.date.DateLike} date It holds the date object to be formatted. * @return {string} formatted string that represent this field. * @private */ goog.i18n.DateTimeFormat.prototype.formatStandaloneDay_ = function(count, date) { var value = date.getDay(); switch (count) { case 5: return goog.i18n.DateTimeSymbols.STANDALONENARROWWEEKDAYS[value]; case 4: return goog.i18n.DateTimeSymbols.STANDALONEWEEKDAYS[value]; case 3: return goog.i18n.DateTimeSymbols.STANDALONESHORTWEEKDAYS[value]; default: return this.localizeNumbers_(goog.string.padNumber(value, 1)); } }; /** * Formats Standalone Month field according to pattern specified * * @param {number} count Number of time pattern char repeats, it controls * how a field should be formatted. * @param {goog.date.DateLike} date It holds the date object to be formatted. * @return {string} formatted string that represent this field. * @private */ goog.i18n.DateTimeFormat.prototype.formatStandaloneMonth_ = function(count, date) { var value = date.getMonth(); switch (count) { case 5: return goog.i18n.DateTimeSymbols.STANDALONENARROWMONTHS[value]; case 4: return goog.i18n.DateTimeSymbols.STANDALONEMONTHS[value]; case 3: return goog.i18n.DateTimeSymbols.STANDALONESHORTMONTHS[value]; default: return this.localizeNumbers_(goog.string.padNumber(value + 1, count)); } }; /** * Formats Quarter field according to pattern specified * * @param {number} count Number of time pattern char repeats, it controls * how a field should be formatted. * @param {goog.date.DateLike} date It holds the date object to be formatted. * @return {string} Formatted string that represent this field. * @private */ goog.i18n.DateTimeFormat.prototype.formatQuarter_ = function(count, date) { var value = Math.floor(date.getMonth() / 3); return count < 4 ? goog.i18n.DateTimeSymbols.SHORTQUARTERS[value] : goog.i18n.DateTimeSymbols.QUARTERS[value]; }; /** * Formats Date field according to pattern specified * * @param {number} count Number of time pattern char repeats, it controls * how a field should be formatted. * @param {goog.date.DateLike} date It holds the date object to be formatted. * @return {string} Formatted string that represent this field. * @private */ goog.i18n.DateTimeFormat.prototype.formatDate_ = function(count, date) { return this.localizeNumbers_(goog.string.padNumber(date.getDate(), count)); }; /** * Formats Minutes field according to pattern specified * * @param {number} count Number of time pattern char repeats, it controls * how a field should be formatted. * @param {goog.date.DateLike} date It holds the date object to be formatted. * @return {string} Formatted string that represent this field. * @private */ goog.i18n.DateTimeFormat.prototype.formatMinutes_ = function(count, date) { return this.localizeNumbers_(goog.string.padNumber(date.getMinutes(), count)); }; /** * Formats Seconds field according to pattern specified * * @param {number} count Number of time pattern char repeats, it controls * how a field should be formatted. * @param {goog.date.DateLike} date It holds the date object to be formatted. * @return {string} Formatted string that represent this field. * @private */ goog.i18n.DateTimeFormat.prototype.formatSeconds_ = function(count, date) { return this.localizeNumbers_(goog.string.padNumber(date.getSeconds(), count)); }; /** * Formats TimeZone field following RFC * * @param {number} count Number of time pattern char repeats, it controls * how a field should be formatted. * @param {goog.date.DateLike} date It holds the date object to be formatted. * @param {goog.i18n.TimeZone=} opt_timeZone This holds current time zone info. * @return {string} Formatted string that represent this field. * @private */ goog.i18n.DateTimeFormat.prototype.formatTimeZoneRFC_ = function(count, date, opt_timeZone) { opt_timeZone = opt_timeZone || goog.i18n.TimeZone.createTimeZone(date.getTimezoneOffset()); // RFC 822 formats should be kept in ASCII, but localized GMT formats may need // to use native digits. return count < 4 ? opt_timeZone.getRFCTimeZoneString(date) : this.localizeNumbers_(opt_timeZone.getGMTString(date)); }; /** * Generate GMT timeZone string for given date * @param {number} count Number of time pattern char repeats, it controls * how a field should be formatted. * @param {goog.date.DateLike} date Whose value being evaluated. * @param {goog.i18n.TimeZone=} opt_timeZone This holds current time zone info. * @return {string} GMT timeZone string. * @private */ goog.i18n.DateTimeFormat.prototype.formatTimeZone_ = function(count, date, opt_timeZone) { opt_timeZone = opt_timeZone || goog.i18n.TimeZone.createTimeZone(date.getTimezoneOffset()); return count < 4 ? opt_timeZone.getShortName(date) : opt_timeZone.getLongName(date); }; /** * Generate GMT timeZone string for given date * @param {goog.date.DateLike} date Whose value being evaluated. * @param {goog.i18n.TimeZone=} opt_timeZone This holds current time zone info. * @return {string} GMT timeZone string. * @private */ goog.i18n.DateTimeFormat.prototype.formatTimeZoneId_ = function(date, opt_timeZone) { opt_timeZone = opt_timeZone || goog.i18n.TimeZone.createTimeZone(date.getTimezoneOffset()); return opt_timeZone.getTimeZoneId(); }; /** * Formatting one date field. * @param {string} patternStr The pattern string for the field being formatted. * @param {goog.date.DateLike} date represents the real date to be formatted. * @param {goog.date.DateLike} dateForDate used to resolve date fields * for formatting. * @param {goog.date.DateLike} dateForTime used to resolve time fields * for formatting. * @param {goog.i18n.TimeZone=} opt_timeZone This holds current time zone info. * @return {string} string representation for the given field. * @private */ goog.i18n.DateTimeFormat.prototype.formatField_ = function(patternStr, date, dateForDate, dateForTime, opt_timeZone) { var count = patternStr.length; switch (patternStr.charAt(0)) { case 'G': return this.formatEra_(count, dateForDate); case 'y': return this.formatYear_(count, dateForDate); case 'M': return this.formatMonth_(count, dateForDate); case 'k': return this.format24Hours_(count, dateForTime); case 'S': return this.formatFractionalSeconds_(count, dateForTime); case 'E': return this.formatDayOfWeek_(count, dateForDate); case 'a': return this.formatAmPm_(count, dateForTime); case 'h': return this.format1To12Hours_(count, dateForTime); case 'K': return this.format0To11Hours_(count, dateForTime); case 'H': return this.format0To23Hours_(count, dateForTime); case 'c': return this.formatStandaloneDay_(count, dateForDate); case 'L': return this.formatStandaloneMonth_(count, dateForDate); case 'Q': return this.formatQuarter_(count, dateForDate); case 'd': return this.formatDate_(count, dateForDate); case 'm': return this.formatMinutes_(count, dateForTime); case 's': return this.formatSeconds_(count, dateForTime); case 'v': return this.formatTimeZoneId_(date, opt_timeZone); case 'z': return this.formatTimeZone_(count, date, opt_timeZone); case 'Z': return this.formatTimeZoneRFC_(count, date, opt_timeZone); default: return ''; } };
JavaScript
// Copyright 2011 The Closure Library Authors. All Rights Reserved // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Number formatting symbols. * * This file is autogenerated by script: * http://go/generate_number_constants.py * using the --for_closure flag. * * This file coveres those locales that are not covered in * "numberformatsymbols.js". * * Before checkin, this file could have been manually edited. This is * to incorporate changes before we could fix CLDR. All manual * modification must be documented in this section, and should be * removed after those changes land to CLDR. */ goog.provide('goog.i18n.NumberFormatSymbolsExt'); goog.provide('goog.i18n.NumberFormatSymbols_aa'); goog.provide('goog.i18n.NumberFormatSymbols_aa_DJ'); goog.provide('goog.i18n.NumberFormatSymbols_aa_ER'); goog.provide('goog.i18n.NumberFormatSymbols_aa_ET'); goog.provide('goog.i18n.NumberFormatSymbols_af_NA'); goog.provide('goog.i18n.NumberFormatSymbols_agq'); goog.provide('goog.i18n.NumberFormatSymbols_agq_CM'); goog.provide('goog.i18n.NumberFormatSymbols_ak'); goog.provide('goog.i18n.NumberFormatSymbols_ak_GH'); goog.provide('goog.i18n.NumberFormatSymbols_ar_AE'); goog.provide('goog.i18n.NumberFormatSymbols_ar_BH'); goog.provide('goog.i18n.NumberFormatSymbols_ar_DJ'); goog.provide('goog.i18n.NumberFormatSymbols_ar_DZ'); goog.provide('goog.i18n.NumberFormatSymbols_ar_EH'); goog.provide('goog.i18n.NumberFormatSymbols_ar_ER'); goog.provide('goog.i18n.NumberFormatSymbols_ar_IL'); goog.provide('goog.i18n.NumberFormatSymbols_ar_IQ'); goog.provide('goog.i18n.NumberFormatSymbols_ar_JO'); goog.provide('goog.i18n.NumberFormatSymbols_ar_KM'); goog.provide('goog.i18n.NumberFormatSymbols_ar_KW'); goog.provide('goog.i18n.NumberFormatSymbols_ar_LB'); goog.provide('goog.i18n.NumberFormatSymbols_ar_LY'); goog.provide('goog.i18n.NumberFormatSymbols_ar_MA'); goog.provide('goog.i18n.NumberFormatSymbols_ar_MR'); goog.provide('goog.i18n.NumberFormatSymbols_ar_OM'); goog.provide('goog.i18n.NumberFormatSymbols_ar_PS'); goog.provide('goog.i18n.NumberFormatSymbols_ar_QA'); goog.provide('goog.i18n.NumberFormatSymbols_ar_SA'); goog.provide('goog.i18n.NumberFormatSymbols_ar_SD'); goog.provide('goog.i18n.NumberFormatSymbols_ar_SO'); goog.provide('goog.i18n.NumberFormatSymbols_ar_SY'); goog.provide('goog.i18n.NumberFormatSymbols_ar_TD'); goog.provide('goog.i18n.NumberFormatSymbols_ar_TN'); goog.provide('goog.i18n.NumberFormatSymbols_ar_YE'); goog.provide('goog.i18n.NumberFormatSymbols_as'); goog.provide('goog.i18n.NumberFormatSymbols_as_IN'); goog.provide('goog.i18n.NumberFormatSymbols_asa'); goog.provide('goog.i18n.NumberFormatSymbols_asa_TZ'); goog.provide('goog.i18n.NumberFormatSymbols_ast'); goog.provide('goog.i18n.NumberFormatSymbols_ast_ES'); goog.provide('goog.i18n.NumberFormatSymbols_az'); goog.provide('goog.i18n.NumberFormatSymbols_az_Cyrl'); goog.provide('goog.i18n.NumberFormatSymbols_az_Cyrl_AZ'); goog.provide('goog.i18n.NumberFormatSymbols_az_Latn'); goog.provide('goog.i18n.NumberFormatSymbols_az_Latn_AZ'); goog.provide('goog.i18n.NumberFormatSymbols_bas'); goog.provide('goog.i18n.NumberFormatSymbols_bas_CM'); goog.provide('goog.i18n.NumberFormatSymbols_be'); goog.provide('goog.i18n.NumberFormatSymbols_be_BY'); goog.provide('goog.i18n.NumberFormatSymbols_bem'); goog.provide('goog.i18n.NumberFormatSymbols_bem_ZM'); goog.provide('goog.i18n.NumberFormatSymbols_bez'); goog.provide('goog.i18n.NumberFormatSymbols_bez_TZ'); goog.provide('goog.i18n.NumberFormatSymbols_bm'); goog.provide('goog.i18n.NumberFormatSymbols_bm_ML'); goog.provide('goog.i18n.NumberFormatSymbols_bn_IN'); goog.provide('goog.i18n.NumberFormatSymbols_bo'); goog.provide('goog.i18n.NumberFormatSymbols_bo_CN'); goog.provide('goog.i18n.NumberFormatSymbols_bo_IN'); goog.provide('goog.i18n.NumberFormatSymbols_br'); goog.provide('goog.i18n.NumberFormatSymbols_br_FR'); goog.provide('goog.i18n.NumberFormatSymbols_brx'); goog.provide('goog.i18n.NumberFormatSymbols_brx_IN'); goog.provide('goog.i18n.NumberFormatSymbols_bs'); goog.provide('goog.i18n.NumberFormatSymbols_bs_Cyrl'); goog.provide('goog.i18n.NumberFormatSymbols_bs_Cyrl_BA'); goog.provide('goog.i18n.NumberFormatSymbols_bs_Latn'); goog.provide('goog.i18n.NumberFormatSymbols_bs_Latn_BA'); goog.provide('goog.i18n.NumberFormatSymbols_byn'); goog.provide('goog.i18n.NumberFormatSymbols_byn_ER'); goog.provide('goog.i18n.NumberFormatSymbols_cgg'); goog.provide('goog.i18n.NumberFormatSymbols_cgg_UG'); goog.provide('goog.i18n.NumberFormatSymbols_chr'); goog.provide('goog.i18n.NumberFormatSymbols_chr_US'); goog.provide('goog.i18n.NumberFormatSymbols_ckb'); goog.provide('goog.i18n.NumberFormatSymbols_ckb_Arab'); goog.provide('goog.i18n.NumberFormatSymbols_ckb_Arab_IQ'); goog.provide('goog.i18n.NumberFormatSymbols_ckb_Arab_IR'); goog.provide('goog.i18n.NumberFormatSymbols_ckb_IQ'); goog.provide('goog.i18n.NumberFormatSymbols_ckb_IR'); goog.provide('goog.i18n.NumberFormatSymbols_ckb_Latn'); goog.provide('goog.i18n.NumberFormatSymbols_ckb_Latn_IQ'); goog.provide('goog.i18n.NumberFormatSymbols_cy'); goog.provide('goog.i18n.NumberFormatSymbols_cy_GB'); goog.provide('goog.i18n.NumberFormatSymbols_dav'); goog.provide('goog.i18n.NumberFormatSymbols_dav_KE'); goog.provide('goog.i18n.NumberFormatSymbols_de_LI'); goog.provide('goog.i18n.NumberFormatSymbols_dje'); goog.provide('goog.i18n.NumberFormatSymbols_dje_NE'); goog.provide('goog.i18n.NumberFormatSymbols_dua'); goog.provide('goog.i18n.NumberFormatSymbols_dua_CM'); goog.provide('goog.i18n.NumberFormatSymbols_dyo'); goog.provide('goog.i18n.NumberFormatSymbols_dyo_SN'); goog.provide('goog.i18n.NumberFormatSymbols_dz'); goog.provide('goog.i18n.NumberFormatSymbols_dz_BT'); goog.provide('goog.i18n.NumberFormatSymbols_ebu'); goog.provide('goog.i18n.NumberFormatSymbols_ebu_KE'); goog.provide('goog.i18n.NumberFormatSymbols_ee'); goog.provide('goog.i18n.NumberFormatSymbols_ee_GH'); goog.provide('goog.i18n.NumberFormatSymbols_ee_TG'); goog.provide('goog.i18n.NumberFormatSymbols_el_CY'); goog.provide('goog.i18n.NumberFormatSymbols_en_150'); goog.provide('goog.i18n.NumberFormatSymbols_en_AG'); goog.provide('goog.i18n.NumberFormatSymbols_en_BB'); goog.provide('goog.i18n.NumberFormatSymbols_en_BE'); goog.provide('goog.i18n.NumberFormatSymbols_en_BM'); goog.provide('goog.i18n.NumberFormatSymbols_en_BS'); goog.provide('goog.i18n.NumberFormatSymbols_en_BW'); goog.provide('goog.i18n.NumberFormatSymbols_en_BZ'); goog.provide('goog.i18n.NumberFormatSymbols_en_CA'); goog.provide('goog.i18n.NumberFormatSymbols_en_CM'); goog.provide('goog.i18n.NumberFormatSymbols_en_DM'); goog.provide('goog.i18n.NumberFormatSymbols_en_Dsrt'); goog.provide('goog.i18n.NumberFormatSymbols_en_FJ'); goog.provide('goog.i18n.NumberFormatSymbols_en_GD'); goog.provide('goog.i18n.NumberFormatSymbols_en_GG'); goog.provide('goog.i18n.NumberFormatSymbols_en_GH'); goog.provide('goog.i18n.NumberFormatSymbols_en_GI'); goog.provide('goog.i18n.NumberFormatSymbols_en_GM'); goog.provide('goog.i18n.NumberFormatSymbols_en_GY'); goog.provide('goog.i18n.NumberFormatSymbols_en_HK'); goog.provide('goog.i18n.NumberFormatSymbols_en_IM'); goog.provide('goog.i18n.NumberFormatSymbols_en_JE'); goog.provide('goog.i18n.NumberFormatSymbols_en_JM'); goog.provide('goog.i18n.NumberFormatSymbols_en_KE'); goog.provide('goog.i18n.NumberFormatSymbols_en_KI'); goog.provide('goog.i18n.NumberFormatSymbols_en_KN'); goog.provide('goog.i18n.NumberFormatSymbols_en_KY'); goog.provide('goog.i18n.NumberFormatSymbols_en_LC'); goog.provide('goog.i18n.NumberFormatSymbols_en_LR'); goog.provide('goog.i18n.NumberFormatSymbols_en_LS'); goog.provide('goog.i18n.NumberFormatSymbols_en_MG'); goog.provide('goog.i18n.NumberFormatSymbols_en_MT'); goog.provide('goog.i18n.NumberFormatSymbols_en_MU'); goog.provide('goog.i18n.NumberFormatSymbols_en_MW'); goog.provide('goog.i18n.NumberFormatSymbols_en_NA'); goog.provide('goog.i18n.NumberFormatSymbols_en_NG'); goog.provide('goog.i18n.NumberFormatSymbols_en_NZ'); goog.provide('goog.i18n.NumberFormatSymbols_en_PG'); goog.provide('goog.i18n.NumberFormatSymbols_en_PH'); goog.provide('goog.i18n.NumberFormatSymbols_en_PK'); goog.provide('goog.i18n.NumberFormatSymbols_en_SB'); goog.provide('goog.i18n.NumberFormatSymbols_en_SC'); goog.provide('goog.i18n.NumberFormatSymbols_en_SL'); goog.provide('goog.i18n.NumberFormatSymbols_en_SS'); goog.provide('goog.i18n.NumberFormatSymbols_en_SZ'); goog.provide('goog.i18n.NumberFormatSymbols_en_TO'); goog.provide('goog.i18n.NumberFormatSymbols_en_TT'); goog.provide('goog.i18n.NumberFormatSymbols_en_TZ'); goog.provide('goog.i18n.NumberFormatSymbols_en_UG'); goog.provide('goog.i18n.NumberFormatSymbols_en_VC'); goog.provide('goog.i18n.NumberFormatSymbols_en_VU'); goog.provide('goog.i18n.NumberFormatSymbols_en_WS'); goog.provide('goog.i18n.NumberFormatSymbols_en_ZM'); goog.provide('goog.i18n.NumberFormatSymbols_en_ZW'); goog.provide('goog.i18n.NumberFormatSymbols_eo'); goog.provide('goog.i18n.NumberFormatSymbols_es_AR'); goog.provide('goog.i18n.NumberFormatSymbols_es_BO'); goog.provide('goog.i18n.NumberFormatSymbols_es_CL'); goog.provide('goog.i18n.NumberFormatSymbols_es_CO'); goog.provide('goog.i18n.NumberFormatSymbols_es_CR'); goog.provide('goog.i18n.NumberFormatSymbols_es_CU'); goog.provide('goog.i18n.NumberFormatSymbols_es_DO'); goog.provide('goog.i18n.NumberFormatSymbols_es_EC'); goog.provide('goog.i18n.NumberFormatSymbols_es_GQ'); goog.provide('goog.i18n.NumberFormatSymbols_es_GT'); goog.provide('goog.i18n.NumberFormatSymbols_es_HN'); goog.provide('goog.i18n.NumberFormatSymbols_es_MX'); goog.provide('goog.i18n.NumberFormatSymbols_es_NI'); goog.provide('goog.i18n.NumberFormatSymbols_es_PA'); goog.provide('goog.i18n.NumberFormatSymbols_es_PE'); goog.provide('goog.i18n.NumberFormatSymbols_es_PH'); goog.provide('goog.i18n.NumberFormatSymbols_es_PR'); goog.provide('goog.i18n.NumberFormatSymbols_es_PY'); goog.provide('goog.i18n.NumberFormatSymbols_es_SV'); goog.provide('goog.i18n.NumberFormatSymbols_es_US'); goog.provide('goog.i18n.NumberFormatSymbols_es_UY'); goog.provide('goog.i18n.NumberFormatSymbols_es_VE'); goog.provide('goog.i18n.NumberFormatSymbols_ewo'); goog.provide('goog.i18n.NumberFormatSymbols_ewo_CM'); goog.provide('goog.i18n.NumberFormatSymbols_fa_AF'); goog.provide('goog.i18n.NumberFormatSymbols_ff'); goog.provide('goog.i18n.NumberFormatSymbols_ff_SN'); goog.provide('goog.i18n.NumberFormatSymbols_fo'); goog.provide('goog.i18n.NumberFormatSymbols_fo_FO'); goog.provide('goog.i18n.NumberFormatSymbols_fr_BE'); goog.provide('goog.i18n.NumberFormatSymbols_fr_BF'); goog.provide('goog.i18n.NumberFormatSymbols_fr_BI'); goog.provide('goog.i18n.NumberFormatSymbols_fr_BJ'); goog.provide('goog.i18n.NumberFormatSymbols_fr_CD'); goog.provide('goog.i18n.NumberFormatSymbols_fr_CF'); goog.provide('goog.i18n.NumberFormatSymbols_fr_CG'); goog.provide('goog.i18n.NumberFormatSymbols_fr_CH'); goog.provide('goog.i18n.NumberFormatSymbols_fr_CI'); goog.provide('goog.i18n.NumberFormatSymbols_fr_CM'); goog.provide('goog.i18n.NumberFormatSymbols_fr_DJ'); goog.provide('goog.i18n.NumberFormatSymbols_fr_DZ'); goog.provide('goog.i18n.NumberFormatSymbols_fr_GA'); goog.provide('goog.i18n.NumberFormatSymbols_fr_GN'); goog.provide('goog.i18n.NumberFormatSymbols_fr_GQ'); goog.provide('goog.i18n.NumberFormatSymbols_fr_HT'); goog.provide('goog.i18n.NumberFormatSymbols_fr_KM'); goog.provide('goog.i18n.NumberFormatSymbols_fr_LU'); goog.provide('goog.i18n.NumberFormatSymbols_fr_MA'); goog.provide('goog.i18n.NumberFormatSymbols_fr_MG'); goog.provide('goog.i18n.NumberFormatSymbols_fr_ML'); goog.provide('goog.i18n.NumberFormatSymbols_fr_MR'); goog.provide('goog.i18n.NumberFormatSymbols_fr_MU'); goog.provide('goog.i18n.NumberFormatSymbols_fr_NC'); goog.provide('goog.i18n.NumberFormatSymbols_fr_NE'); goog.provide('goog.i18n.NumberFormatSymbols_fr_PF'); goog.provide('goog.i18n.NumberFormatSymbols_fr_RW'); goog.provide('goog.i18n.NumberFormatSymbols_fr_SC'); goog.provide('goog.i18n.NumberFormatSymbols_fr_SN'); goog.provide('goog.i18n.NumberFormatSymbols_fr_SY'); goog.provide('goog.i18n.NumberFormatSymbols_fr_TD'); goog.provide('goog.i18n.NumberFormatSymbols_fr_TG'); goog.provide('goog.i18n.NumberFormatSymbols_fr_TN'); goog.provide('goog.i18n.NumberFormatSymbols_fr_VU'); goog.provide('goog.i18n.NumberFormatSymbols_fur'); goog.provide('goog.i18n.NumberFormatSymbols_fur_IT'); goog.provide('goog.i18n.NumberFormatSymbols_ga'); goog.provide('goog.i18n.NumberFormatSymbols_ga_IE'); goog.provide('goog.i18n.NumberFormatSymbols_gd'); goog.provide('goog.i18n.NumberFormatSymbols_gd_GB'); goog.provide('goog.i18n.NumberFormatSymbols_guz'); goog.provide('goog.i18n.NumberFormatSymbols_guz_KE'); goog.provide('goog.i18n.NumberFormatSymbols_gv'); goog.provide('goog.i18n.NumberFormatSymbols_gv_GB'); goog.provide('goog.i18n.NumberFormatSymbols_ha'); goog.provide('goog.i18n.NumberFormatSymbols_ha_Latn'); goog.provide('goog.i18n.NumberFormatSymbols_ha_Latn_GH'); goog.provide('goog.i18n.NumberFormatSymbols_ha_Latn_NE'); goog.provide('goog.i18n.NumberFormatSymbols_ha_Latn_NG'); goog.provide('goog.i18n.NumberFormatSymbols_haw'); goog.provide('goog.i18n.NumberFormatSymbols_haw_US'); goog.provide('goog.i18n.NumberFormatSymbols_hr_BA'); goog.provide('goog.i18n.NumberFormatSymbols_hy'); goog.provide('goog.i18n.NumberFormatSymbols_hy_AM'); goog.provide('goog.i18n.NumberFormatSymbols_ia'); goog.provide('goog.i18n.NumberFormatSymbols_ig'); goog.provide('goog.i18n.NumberFormatSymbols_ig_NG'); goog.provide('goog.i18n.NumberFormatSymbols_ii'); goog.provide('goog.i18n.NumberFormatSymbols_ii_CN'); goog.provide('goog.i18n.NumberFormatSymbols_it_CH'); goog.provide('goog.i18n.NumberFormatSymbols_jgo'); goog.provide('goog.i18n.NumberFormatSymbols_jgo_CM'); goog.provide('goog.i18n.NumberFormatSymbols_jmc'); goog.provide('goog.i18n.NumberFormatSymbols_jmc_TZ'); goog.provide('goog.i18n.NumberFormatSymbols_ka'); goog.provide('goog.i18n.NumberFormatSymbols_ka_GE'); goog.provide('goog.i18n.NumberFormatSymbols_kab'); goog.provide('goog.i18n.NumberFormatSymbols_kab_DZ'); goog.provide('goog.i18n.NumberFormatSymbols_kam'); goog.provide('goog.i18n.NumberFormatSymbols_kam_KE'); goog.provide('goog.i18n.NumberFormatSymbols_kde'); goog.provide('goog.i18n.NumberFormatSymbols_kde_TZ'); goog.provide('goog.i18n.NumberFormatSymbols_kea'); goog.provide('goog.i18n.NumberFormatSymbols_kea_CV'); goog.provide('goog.i18n.NumberFormatSymbols_khq'); goog.provide('goog.i18n.NumberFormatSymbols_khq_ML'); goog.provide('goog.i18n.NumberFormatSymbols_ki'); goog.provide('goog.i18n.NumberFormatSymbols_ki_KE'); goog.provide('goog.i18n.NumberFormatSymbols_kk'); goog.provide('goog.i18n.NumberFormatSymbols_kk_Cyrl'); goog.provide('goog.i18n.NumberFormatSymbols_kk_Cyrl_KZ'); goog.provide('goog.i18n.NumberFormatSymbols_kkj'); goog.provide('goog.i18n.NumberFormatSymbols_kkj_CM'); goog.provide('goog.i18n.NumberFormatSymbols_kl'); goog.provide('goog.i18n.NumberFormatSymbols_kl_GL'); goog.provide('goog.i18n.NumberFormatSymbols_kln'); goog.provide('goog.i18n.NumberFormatSymbols_kln_KE'); goog.provide('goog.i18n.NumberFormatSymbols_km'); goog.provide('goog.i18n.NumberFormatSymbols_km_KH'); goog.provide('goog.i18n.NumberFormatSymbols_ko_KP'); goog.provide('goog.i18n.NumberFormatSymbols_kok'); goog.provide('goog.i18n.NumberFormatSymbols_kok_IN'); goog.provide('goog.i18n.NumberFormatSymbols_ks'); goog.provide('goog.i18n.NumberFormatSymbols_ks_Arab'); goog.provide('goog.i18n.NumberFormatSymbols_ks_Arab_IN'); goog.provide('goog.i18n.NumberFormatSymbols_ksb'); goog.provide('goog.i18n.NumberFormatSymbols_ksb_TZ'); goog.provide('goog.i18n.NumberFormatSymbols_ksf'); goog.provide('goog.i18n.NumberFormatSymbols_ksf_CM'); goog.provide('goog.i18n.NumberFormatSymbols_ksh'); goog.provide('goog.i18n.NumberFormatSymbols_ksh_DE'); goog.provide('goog.i18n.NumberFormatSymbols_kw'); goog.provide('goog.i18n.NumberFormatSymbols_kw_GB'); goog.provide('goog.i18n.NumberFormatSymbols_ky'); goog.provide('goog.i18n.NumberFormatSymbols_ky_KG'); goog.provide('goog.i18n.NumberFormatSymbols_lag'); goog.provide('goog.i18n.NumberFormatSymbols_lag_TZ'); goog.provide('goog.i18n.NumberFormatSymbols_lg'); goog.provide('goog.i18n.NumberFormatSymbols_lg_UG'); goog.provide('goog.i18n.NumberFormatSymbols_ln_AO'); goog.provide('goog.i18n.NumberFormatSymbols_ln_CF'); goog.provide('goog.i18n.NumberFormatSymbols_ln_CG'); goog.provide('goog.i18n.NumberFormatSymbols_lo'); goog.provide('goog.i18n.NumberFormatSymbols_lo_LA'); goog.provide('goog.i18n.NumberFormatSymbols_lu'); goog.provide('goog.i18n.NumberFormatSymbols_lu_CD'); goog.provide('goog.i18n.NumberFormatSymbols_luo'); goog.provide('goog.i18n.NumberFormatSymbols_luo_KE'); goog.provide('goog.i18n.NumberFormatSymbols_luy'); goog.provide('goog.i18n.NumberFormatSymbols_luy_KE'); goog.provide('goog.i18n.NumberFormatSymbols_mas'); goog.provide('goog.i18n.NumberFormatSymbols_mas_KE'); goog.provide('goog.i18n.NumberFormatSymbols_mas_TZ'); goog.provide('goog.i18n.NumberFormatSymbols_mer'); goog.provide('goog.i18n.NumberFormatSymbols_mer_KE'); goog.provide('goog.i18n.NumberFormatSymbols_mfe'); goog.provide('goog.i18n.NumberFormatSymbols_mfe_MU'); goog.provide('goog.i18n.NumberFormatSymbols_mg'); goog.provide('goog.i18n.NumberFormatSymbols_mg_MG'); goog.provide('goog.i18n.NumberFormatSymbols_mgh'); goog.provide('goog.i18n.NumberFormatSymbols_mgh_MZ'); goog.provide('goog.i18n.NumberFormatSymbols_mgo'); goog.provide('goog.i18n.NumberFormatSymbols_mgo_CM'); goog.provide('goog.i18n.NumberFormatSymbols_mk'); goog.provide('goog.i18n.NumberFormatSymbols_mk_MK'); goog.provide('goog.i18n.NumberFormatSymbols_ms_BN'); goog.provide('goog.i18n.NumberFormatSymbols_ms_SG'); goog.provide('goog.i18n.NumberFormatSymbols_mua'); goog.provide('goog.i18n.NumberFormatSymbols_mua_CM'); goog.provide('goog.i18n.NumberFormatSymbols_my'); goog.provide('goog.i18n.NumberFormatSymbols_my_MM'); goog.provide('goog.i18n.NumberFormatSymbols_naq'); goog.provide('goog.i18n.NumberFormatSymbols_naq_NA'); goog.provide('goog.i18n.NumberFormatSymbols_nb'); goog.provide('goog.i18n.NumberFormatSymbols_nb_NO'); goog.provide('goog.i18n.NumberFormatSymbols_nd'); goog.provide('goog.i18n.NumberFormatSymbols_nd_ZW'); goog.provide('goog.i18n.NumberFormatSymbols_ne'); goog.provide('goog.i18n.NumberFormatSymbols_ne_IN'); goog.provide('goog.i18n.NumberFormatSymbols_ne_NP'); goog.provide('goog.i18n.NumberFormatSymbols_nl_AW'); goog.provide('goog.i18n.NumberFormatSymbols_nl_BE'); goog.provide('goog.i18n.NumberFormatSymbols_nl_SR'); goog.provide('goog.i18n.NumberFormatSymbols_nmg'); goog.provide('goog.i18n.NumberFormatSymbols_nmg_CM'); goog.provide('goog.i18n.NumberFormatSymbols_nn'); goog.provide('goog.i18n.NumberFormatSymbols_nn_NO'); goog.provide('goog.i18n.NumberFormatSymbols_nnh'); goog.provide('goog.i18n.NumberFormatSymbols_nnh_CM'); goog.provide('goog.i18n.NumberFormatSymbols_nr'); goog.provide('goog.i18n.NumberFormatSymbols_nr_ZA'); goog.provide('goog.i18n.NumberFormatSymbols_nso'); goog.provide('goog.i18n.NumberFormatSymbols_nso_ZA'); goog.provide('goog.i18n.NumberFormatSymbols_nus'); goog.provide('goog.i18n.NumberFormatSymbols_nus_SD'); goog.provide('goog.i18n.NumberFormatSymbols_nyn'); goog.provide('goog.i18n.NumberFormatSymbols_nyn_UG'); goog.provide('goog.i18n.NumberFormatSymbols_om'); goog.provide('goog.i18n.NumberFormatSymbols_om_ET'); goog.provide('goog.i18n.NumberFormatSymbols_om_KE'); goog.provide('goog.i18n.NumberFormatSymbols_os'); goog.provide('goog.i18n.NumberFormatSymbols_os_GE'); goog.provide('goog.i18n.NumberFormatSymbols_os_RU'); goog.provide('goog.i18n.NumberFormatSymbols_pa'); goog.provide('goog.i18n.NumberFormatSymbols_pa_Arab'); goog.provide('goog.i18n.NumberFormatSymbols_pa_Arab_PK'); goog.provide('goog.i18n.NumberFormatSymbols_pa_Guru'); goog.provide('goog.i18n.NumberFormatSymbols_pa_Guru_IN'); goog.provide('goog.i18n.NumberFormatSymbols_ps'); goog.provide('goog.i18n.NumberFormatSymbols_ps_AF'); goog.provide('goog.i18n.NumberFormatSymbols_pt_AO'); goog.provide('goog.i18n.NumberFormatSymbols_pt_CV'); goog.provide('goog.i18n.NumberFormatSymbols_pt_GW'); goog.provide('goog.i18n.NumberFormatSymbols_pt_MO'); goog.provide('goog.i18n.NumberFormatSymbols_pt_MZ'); goog.provide('goog.i18n.NumberFormatSymbols_pt_ST'); goog.provide('goog.i18n.NumberFormatSymbols_pt_TL'); goog.provide('goog.i18n.NumberFormatSymbols_rm'); goog.provide('goog.i18n.NumberFormatSymbols_rm_CH'); goog.provide('goog.i18n.NumberFormatSymbols_rn'); goog.provide('goog.i18n.NumberFormatSymbols_rn_BI'); goog.provide('goog.i18n.NumberFormatSymbols_ro_MD'); goog.provide('goog.i18n.NumberFormatSymbols_rof'); goog.provide('goog.i18n.NumberFormatSymbols_rof_TZ'); goog.provide('goog.i18n.NumberFormatSymbols_ru_BY'); goog.provide('goog.i18n.NumberFormatSymbols_ru_KG'); goog.provide('goog.i18n.NumberFormatSymbols_ru_KZ'); goog.provide('goog.i18n.NumberFormatSymbols_ru_MD'); goog.provide('goog.i18n.NumberFormatSymbols_ru_UA'); goog.provide('goog.i18n.NumberFormatSymbols_rw'); goog.provide('goog.i18n.NumberFormatSymbols_rw_RW'); goog.provide('goog.i18n.NumberFormatSymbols_rwk'); goog.provide('goog.i18n.NumberFormatSymbols_rwk_TZ'); goog.provide('goog.i18n.NumberFormatSymbols_sah'); goog.provide('goog.i18n.NumberFormatSymbols_sah_RU'); goog.provide('goog.i18n.NumberFormatSymbols_saq'); goog.provide('goog.i18n.NumberFormatSymbols_saq_KE'); goog.provide('goog.i18n.NumberFormatSymbols_sbp'); goog.provide('goog.i18n.NumberFormatSymbols_sbp_TZ'); goog.provide('goog.i18n.NumberFormatSymbols_se'); goog.provide('goog.i18n.NumberFormatSymbols_se_FI'); goog.provide('goog.i18n.NumberFormatSymbols_se_NO'); goog.provide('goog.i18n.NumberFormatSymbols_seh'); goog.provide('goog.i18n.NumberFormatSymbols_seh_MZ'); goog.provide('goog.i18n.NumberFormatSymbols_ses'); goog.provide('goog.i18n.NumberFormatSymbols_ses_ML'); goog.provide('goog.i18n.NumberFormatSymbols_sg'); goog.provide('goog.i18n.NumberFormatSymbols_sg_CF'); goog.provide('goog.i18n.NumberFormatSymbols_shi'); goog.provide('goog.i18n.NumberFormatSymbols_shi_Latn'); goog.provide('goog.i18n.NumberFormatSymbols_shi_Latn_MA'); goog.provide('goog.i18n.NumberFormatSymbols_shi_Tfng'); goog.provide('goog.i18n.NumberFormatSymbols_shi_Tfng_MA'); goog.provide('goog.i18n.NumberFormatSymbols_si'); goog.provide('goog.i18n.NumberFormatSymbols_si_LK'); goog.provide('goog.i18n.NumberFormatSymbols_sn'); goog.provide('goog.i18n.NumberFormatSymbols_sn_ZW'); goog.provide('goog.i18n.NumberFormatSymbols_so'); goog.provide('goog.i18n.NumberFormatSymbols_so_DJ'); goog.provide('goog.i18n.NumberFormatSymbols_so_ET'); goog.provide('goog.i18n.NumberFormatSymbols_so_KE'); goog.provide('goog.i18n.NumberFormatSymbols_so_SO'); goog.provide('goog.i18n.NumberFormatSymbols_sq_MK'); goog.provide('goog.i18n.NumberFormatSymbols_sr_Cyrl'); goog.provide('goog.i18n.NumberFormatSymbols_sr_Cyrl_BA'); goog.provide('goog.i18n.NumberFormatSymbols_sr_Cyrl_ME'); goog.provide('goog.i18n.NumberFormatSymbols_sr_Latn'); goog.provide('goog.i18n.NumberFormatSymbols_sr_Latn_BA'); goog.provide('goog.i18n.NumberFormatSymbols_sr_Latn_ME'); goog.provide('goog.i18n.NumberFormatSymbols_ss'); goog.provide('goog.i18n.NumberFormatSymbols_ss_SZ'); goog.provide('goog.i18n.NumberFormatSymbols_ss_ZA'); goog.provide('goog.i18n.NumberFormatSymbols_ssy'); goog.provide('goog.i18n.NumberFormatSymbols_ssy_ER'); goog.provide('goog.i18n.NumberFormatSymbols_st'); goog.provide('goog.i18n.NumberFormatSymbols_st_LS'); goog.provide('goog.i18n.NumberFormatSymbols_st_ZA'); goog.provide('goog.i18n.NumberFormatSymbols_sv_AX'); goog.provide('goog.i18n.NumberFormatSymbols_sv_FI'); goog.provide('goog.i18n.NumberFormatSymbols_sw_KE'); goog.provide('goog.i18n.NumberFormatSymbols_sw_UG'); goog.provide('goog.i18n.NumberFormatSymbols_swc'); goog.provide('goog.i18n.NumberFormatSymbols_swc_CD'); goog.provide('goog.i18n.NumberFormatSymbols_ta_LK'); goog.provide('goog.i18n.NumberFormatSymbols_ta_MY'); goog.provide('goog.i18n.NumberFormatSymbols_ta_SG'); goog.provide('goog.i18n.NumberFormatSymbols_teo'); goog.provide('goog.i18n.NumberFormatSymbols_teo_KE'); goog.provide('goog.i18n.NumberFormatSymbols_teo_UG'); goog.provide('goog.i18n.NumberFormatSymbols_tg'); goog.provide('goog.i18n.NumberFormatSymbols_tg_Cyrl'); goog.provide('goog.i18n.NumberFormatSymbols_tg_Cyrl_TJ'); goog.provide('goog.i18n.NumberFormatSymbols_ti'); goog.provide('goog.i18n.NumberFormatSymbols_ti_ER'); goog.provide('goog.i18n.NumberFormatSymbols_ti_ET'); goog.provide('goog.i18n.NumberFormatSymbols_tig'); goog.provide('goog.i18n.NumberFormatSymbols_tig_ER'); goog.provide('goog.i18n.NumberFormatSymbols_tn'); goog.provide('goog.i18n.NumberFormatSymbols_tn_BW'); goog.provide('goog.i18n.NumberFormatSymbols_tn_ZA'); goog.provide('goog.i18n.NumberFormatSymbols_to'); goog.provide('goog.i18n.NumberFormatSymbols_to_TO'); goog.provide('goog.i18n.NumberFormatSymbols_tr_CY'); goog.provide('goog.i18n.NumberFormatSymbols_ts'); goog.provide('goog.i18n.NumberFormatSymbols_ts_ZA'); goog.provide('goog.i18n.NumberFormatSymbols_twq'); goog.provide('goog.i18n.NumberFormatSymbols_twq_NE'); goog.provide('goog.i18n.NumberFormatSymbols_tzm'); goog.provide('goog.i18n.NumberFormatSymbols_tzm_Latn'); goog.provide('goog.i18n.NumberFormatSymbols_tzm_Latn_MA'); goog.provide('goog.i18n.NumberFormatSymbols_ur_IN'); goog.provide('goog.i18n.NumberFormatSymbols_uz'); goog.provide('goog.i18n.NumberFormatSymbols_uz_Arab'); goog.provide('goog.i18n.NumberFormatSymbols_uz_Arab_AF'); goog.provide('goog.i18n.NumberFormatSymbols_uz_Cyrl'); goog.provide('goog.i18n.NumberFormatSymbols_uz_Cyrl_UZ'); goog.provide('goog.i18n.NumberFormatSymbols_uz_Latn'); goog.provide('goog.i18n.NumberFormatSymbols_uz_Latn_UZ'); goog.provide('goog.i18n.NumberFormatSymbols_vai'); goog.provide('goog.i18n.NumberFormatSymbols_vai_Latn'); goog.provide('goog.i18n.NumberFormatSymbols_vai_Latn_LR'); goog.provide('goog.i18n.NumberFormatSymbols_vai_Vaii'); goog.provide('goog.i18n.NumberFormatSymbols_vai_Vaii_LR'); goog.provide('goog.i18n.NumberFormatSymbols_ve'); goog.provide('goog.i18n.NumberFormatSymbols_ve_ZA'); goog.provide('goog.i18n.NumberFormatSymbols_vo'); goog.provide('goog.i18n.NumberFormatSymbols_vun'); goog.provide('goog.i18n.NumberFormatSymbols_vun_TZ'); goog.provide('goog.i18n.NumberFormatSymbols_wae'); goog.provide('goog.i18n.NumberFormatSymbols_wae_CH'); goog.provide('goog.i18n.NumberFormatSymbols_wal'); goog.provide('goog.i18n.NumberFormatSymbols_wal_ET'); goog.provide('goog.i18n.NumberFormatSymbols_xh'); goog.provide('goog.i18n.NumberFormatSymbols_xh_ZA'); goog.provide('goog.i18n.NumberFormatSymbols_xog'); goog.provide('goog.i18n.NumberFormatSymbols_xog_UG'); goog.provide('goog.i18n.NumberFormatSymbols_yav'); goog.provide('goog.i18n.NumberFormatSymbols_yav_CM'); goog.provide('goog.i18n.NumberFormatSymbols_yo'); goog.provide('goog.i18n.NumberFormatSymbols_yo_NG'); goog.provide('goog.i18n.NumberFormatSymbols_zh_Hans'); goog.provide('goog.i18n.NumberFormatSymbols_zh_Hans_HK'); goog.provide('goog.i18n.NumberFormatSymbols_zh_Hans_MO'); goog.provide('goog.i18n.NumberFormatSymbols_zh_Hans_SG'); goog.provide('goog.i18n.NumberFormatSymbols_zh_Hant'); goog.provide('goog.i18n.NumberFormatSymbols_zh_Hant_HK'); goog.provide('goog.i18n.NumberFormatSymbols_zh_Hant_MO'); goog.provide('goog.i18n.NumberFormatSymbols_zh_Hant_TW'); goog.require('goog.i18n.NumberFormatSymbols'); /** * Number formatting symbols for locale aa. * @enum {string} */ goog.i18n.NumberFormatSymbols_aa = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'ETB' }; /** * Number formatting symbols for locale aa_DJ. * @enum {string} */ goog.i18n.NumberFormatSymbols_aa_DJ = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'DJF' }; /** * Number formatting symbols for locale aa_ER. * @enum {string} */ goog.i18n.NumberFormatSymbols_aa_ER = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'ERN' }; /** * Number formatting symbols for locale aa_ET. * @enum {string} */ goog.i18n.NumberFormatSymbols_aa_ET = goog.i18n.NumberFormatSymbols_aa; /** * Number formatting symbols for locale af_NA. * @enum {string} */ goog.i18n.NumberFormatSymbols_af_NA = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00', DEF_CURRENCY_CODE: 'NAD' }; /** * Number formatting symbols for locale agq. * @enum {string} */ goog.i18n.NumberFormatSymbols_agq = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A4', DEF_CURRENCY_CODE: 'XAF' }; /** * Number formatting symbols for locale agq_CM. * @enum {string} */ goog.i18n.NumberFormatSymbols_agq_CM = goog.i18n.NumberFormatSymbols_agq; /** * Number formatting symbols for locale ak. * @enum {string} */ goog.i18n.NumberFormatSymbols_ak = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'GHS' }; /** * Number formatting symbols for locale ak_GH. * @enum {string} */ goog.i18n.NumberFormatSymbols_ak_GH = goog.i18n.NumberFormatSymbols_ak; /** * Number formatting symbols for locale ar_AE. * @enum {string} */ goog.i18n.NumberFormatSymbols_ar_AE = { DECIMAL_SEP: '\u066B', GROUP_SEP: '\u066C', PERCENT: '\u066A', ZERO_DIGIT: '\u0660', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: '\u0627\u0633', PERMILL: '\u0609', INFINITY: '\u221E', NAN: '\u0644\u064A\u0633\u00A0\u0631\u0642\u0645', DECIMAL_PATTERN: '#0.###;#0.###-', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#0.00;\u00A4\u00A0#0.00-', DEF_CURRENCY_CODE: 'AED' }; /** * Number formatting symbols for locale ar_BH. * @enum {string} */ goog.i18n.NumberFormatSymbols_ar_BH = { DECIMAL_SEP: '\u066B', GROUP_SEP: '\u066C', PERCENT: '\u066A', ZERO_DIGIT: '\u0660', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: '\u0627\u0633', PERMILL: '\u0609', INFINITY: '\u221E', NAN: '\u0644\u064A\u0633\u00A0\u0631\u0642\u0645', DECIMAL_PATTERN: '#0.###;#0.###-', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#0.00;\u00A4\u00A0#0.00-', DEF_CURRENCY_CODE: 'BHD' }; /** * Number formatting symbols for locale ar_DJ. * @enum {string} */ goog.i18n.NumberFormatSymbols_ar_DJ = { DECIMAL_SEP: '\u066B', GROUP_SEP: '\u066C', PERCENT: '\u066A', ZERO_DIGIT: '\u0660', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: '\u0627\u0633', PERMILL: '\u0609', INFINITY: '\u221E', NAN: '\u0644\u064A\u0633\u00A0\u0631\u0642\u0645', DECIMAL_PATTERN: '#0.###;#0.###-', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#0.00;\u00A4\u00A0#0.00-', DEF_CURRENCY_CODE: 'DJF' }; /** * Number formatting symbols for locale ar_DZ. * @enum {string} */ goog.i18n.NumberFormatSymbols_ar_DZ = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#0.###;#0.###-', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#0.00;\u00A4\u00A0#0.00-', DEF_CURRENCY_CODE: 'DZD' }; /** * Number formatting symbols for locale ar_EH. * @enum {string} */ goog.i18n.NumberFormatSymbols_ar_EH = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#0.###;#0.###-', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#0.00;\u00A4\u00A0#0.00-', DEF_CURRENCY_CODE: 'MAD' }; /** * Number formatting symbols for locale ar_ER. * @enum {string} */ goog.i18n.NumberFormatSymbols_ar_ER = { DECIMAL_SEP: '\u066B', GROUP_SEP: '\u066C', PERCENT: '\u066A', ZERO_DIGIT: '\u0660', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: '\u0627\u0633', PERMILL: '\u0609', INFINITY: '\u221E', NAN: '\u0644\u064A\u0633\u00A0\u0631\u0642\u0645', DECIMAL_PATTERN: '#0.###;#0.###-', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#0.00;\u00A4\u00A0#0.00-', DEF_CURRENCY_CODE: 'ERN' }; /** * Number formatting symbols for locale ar_IL. * @enum {string} */ goog.i18n.NumberFormatSymbols_ar_IL = { DECIMAL_SEP: '\u066B', GROUP_SEP: '\u066C', PERCENT: '\u066A', ZERO_DIGIT: '\u0660', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: '\u0627\u0633', PERMILL: '\u0609', INFINITY: '\u221E', NAN: '\u0644\u064A\u0633\u00A0\u0631\u0642\u0645', DECIMAL_PATTERN: '#0.###;#0.###-', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#0.00;\u00A4\u00A0#0.00-', DEF_CURRENCY_CODE: 'ILS' }; /** * Number formatting symbols for locale ar_IQ. * @enum {string} */ goog.i18n.NumberFormatSymbols_ar_IQ = { DECIMAL_SEP: '\u066B', GROUP_SEP: '\u066C', PERCENT: '\u066A', ZERO_DIGIT: '\u0660', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: '\u0627\u0633', PERMILL: '\u0609', INFINITY: '\u221E', NAN: '\u0644\u064A\u0633\u00A0\u0631\u0642\u0645', DECIMAL_PATTERN: '#0.###;#0.###-', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#0.00;\u00A4\u00A0#0.00-', DEF_CURRENCY_CODE: 'IQD' }; /** * Number formatting symbols for locale ar_JO. * @enum {string} */ goog.i18n.NumberFormatSymbols_ar_JO = { DECIMAL_SEP: '\u066B', GROUP_SEP: '\u066C', PERCENT: '\u066A', ZERO_DIGIT: '\u0660', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: '\u0627\u0633', PERMILL: '\u0609', INFINITY: '\u221E', NAN: '\u0644\u064A\u0633\u00A0\u0631\u0642\u0645', DECIMAL_PATTERN: '#0.###;#0.###-', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#0.00;\u00A4\u00A0#0.00-', DEF_CURRENCY_CODE: 'JOD' }; /** * Number formatting symbols for locale ar_KM. * @enum {string} */ goog.i18n.NumberFormatSymbols_ar_KM = { DECIMAL_SEP: '\u066B', GROUP_SEP: '\u066C', PERCENT: '\u066A', ZERO_DIGIT: '\u0660', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: '\u0627\u0633', PERMILL: '\u0609', INFINITY: '\u221E', NAN: '\u0644\u064A\u0633\u00A0\u0631\u0642\u0645', DECIMAL_PATTERN: '#0.###;#0.###-', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#0.00;\u00A4\u00A0#0.00-', DEF_CURRENCY_CODE: 'KMF' }; /** * Number formatting symbols for locale ar_KW. * @enum {string} */ goog.i18n.NumberFormatSymbols_ar_KW = { DECIMAL_SEP: '\u066B', GROUP_SEP: '\u066C', PERCENT: '\u066A', ZERO_DIGIT: '\u0660', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: '\u0627\u0633', PERMILL: '\u0609', INFINITY: '\u221E', NAN: '\u0644\u064A\u0633\u00A0\u0631\u0642\u0645', DECIMAL_PATTERN: '#0.###;#0.###-', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#0.00;\u00A4\u00A0#0.00-', DEF_CURRENCY_CODE: 'KWD' }; /** * Number formatting symbols for locale ar_LB. * @enum {string} */ goog.i18n.NumberFormatSymbols_ar_LB = { DECIMAL_SEP: '\u066B', GROUP_SEP: '\u066C', PERCENT: '\u066A', ZERO_DIGIT: '\u0660', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: '\u0627\u0633', PERMILL: '\u0609', INFINITY: '\u221E', NAN: '\u0644\u064A\u0633\u00A0\u0631\u0642\u0645', DECIMAL_PATTERN: '#0.###;#0.###-', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#0.00;\u00A4\u00A0#0.00-', DEF_CURRENCY_CODE: 'LBP' }; /** * Number formatting symbols for locale ar_LY. * @enum {string} */ goog.i18n.NumberFormatSymbols_ar_LY = { DECIMAL_SEP: '\u066B', GROUP_SEP: '\u066C', PERCENT: '\u066A', ZERO_DIGIT: '\u0660', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: '\u0627\u0633', PERMILL: '\u0609', INFINITY: '\u221E', NAN: '\u0644\u064A\u0633\u00A0\u0631\u0642\u0645', DECIMAL_PATTERN: '#0.###;#0.###-', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#0.00;\u00A4\u00A0#0.00-', DEF_CURRENCY_CODE: 'LYD' }; /** * Number formatting symbols for locale ar_MA. * @enum {string} */ goog.i18n.NumberFormatSymbols_ar_MA = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#0.###;#0.###-', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#0.00;\u00A4\u00A0#0.00-', DEF_CURRENCY_CODE: 'MAD' }; /** * Number formatting symbols for locale ar_MR. * @enum {string} */ goog.i18n.NumberFormatSymbols_ar_MR = { DECIMAL_SEP: '\u066B', GROUP_SEP: '\u066C', PERCENT: '\u066A', ZERO_DIGIT: '\u0660', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: '\u0627\u0633', PERMILL: '\u0609', INFINITY: '\u221E', NAN: '\u0644\u064A\u0633\u00A0\u0631\u0642\u0645', DECIMAL_PATTERN: '#0.###;#0.###-', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#0.00;\u00A4\u00A0#0.00-', DEF_CURRENCY_CODE: 'MRO' }; /** * Number formatting symbols for locale ar_OM. * @enum {string} */ goog.i18n.NumberFormatSymbols_ar_OM = { DECIMAL_SEP: '\u066B', GROUP_SEP: '\u066C', PERCENT: '\u066A', ZERO_DIGIT: '\u0660', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: '\u0627\u0633', PERMILL: '\u0609', INFINITY: '\u221E', NAN: '\u0644\u064A\u0633\u00A0\u0631\u0642\u0645', DECIMAL_PATTERN: '#0.###;#0.###-', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#0.00;\u00A4\u00A0#0.00-', DEF_CURRENCY_CODE: 'OMR' }; /** * Number formatting symbols for locale ar_PS. * @enum {string} */ goog.i18n.NumberFormatSymbols_ar_PS = { DECIMAL_SEP: '\u066B', GROUP_SEP: '\u066C', PERCENT: '\u066A', ZERO_DIGIT: '\u0660', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: '\u0627\u0633', PERMILL: '\u0609', INFINITY: '\u221E', NAN: '\u0644\u064A\u0633\u00A0\u0631\u0642\u0645', DECIMAL_PATTERN: '#0.###;#0.###-', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#0.00;\u00A4\u00A0#0.00-', DEF_CURRENCY_CODE: 'JOD' }; /** * Number formatting symbols for locale ar_QA. * @enum {string} */ goog.i18n.NumberFormatSymbols_ar_QA = { DECIMAL_SEP: '\u066B', GROUP_SEP: '\u066C', PERCENT: '\u066A', ZERO_DIGIT: '\u0660', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: '\u0627\u0633', PERMILL: '\u0609', INFINITY: '\u221E', NAN: '\u0644\u064A\u0633\u00A0\u0631\u0642\u0645', DECIMAL_PATTERN: '#0.###;#0.###-', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#0.00', DEF_CURRENCY_CODE: 'QAR' }; /** * Number formatting symbols for locale ar_SA. * @enum {string} */ goog.i18n.NumberFormatSymbols_ar_SA = { DECIMAL_SEP: '\u066B', GROUP_SEP: '\u066C', PERCENT: '\u066A', ZERO_DIGIT: '\u0660', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: '\u0627\u0633', PERMILL: '\u0609', INFINITY: '\u221E', NAN: '\u0644\u064A\u0633\u00A0\u0631\u0642\u0645', DECIMAL_PATTERN: '#0.###;#0.###-', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#0.00', DEF_CURRENCY_CODE: 'SAR' }; /** * Number formatting symbols for locale ar_SD. * @enum {string} */ goog.i18n.NumberFormatSymbols_ar_SD = { DECIMAL_SEP: '\u066B', GROUP_SEP: '\u066C', PERCENT: '\u066A', ZERO_DIGIT: '\u0660', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: '\u0627\u0633', PERMILL: '\u0609', INFINITY: '\u221E', NAN: '\u0644\u064A\u0633\u00A0\u0631\u0642\u0645', DECIMAL_PATTERN: '#0.###;#0.###-', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#0.00;\u00A4\u00A0#0.00-', DEF_CURRENCY_CODE: 'SDG' }; /** * Number formatting symbols for locale ar_SO. * @enum {string} */ goog.i18n.NumberFormatSymbols_ar_SO = { DECIMAL_SEP: '\u066B', GROUP_SEP: '\u066C', PERCENT: '\u066A', ZERO_DIGIT: '\u0660', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: '\u0627\u0633', PERMILL: '\u0609', INFINITY: '\u221E', NAN: '\u0644\u064A\u0633\u00A0\u0631\u0642\u0645', DECIMAL_PATTERN: '#0.###;#0.###-', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#0.00;\u00A4\u00A0#0.00-', DEF_CURRENCY_CODE: 'SOS' }; /** * Number formatting symbols for locale ar_SY. * @enum {string} */ goog.i18n.NumberFormatSymbols_ar_SY = { DECIMAL_SEP: '\u066B', GROUP_SEP: '\u066C', PERCENT: '\u066A', ZERO_DIGIT: '\u0660', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: '\u0627\u0633', PERMILL: '\u0609', INFINITY: '\u221E', NAN: '\u0644\u064A\u0633\u00A0\u0631\u0642\u0645', DECIMAL_PATTERN: '#0.###;#0.###-', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#0.00', DEF_CURRENCY_CODE: 'SYP' }; /** * Number formatting symbols for locale ar_TD. * @enum {string} */ goog.i18n.NumberFormatSymbols_ar_TD = { DECIMAL_SEP: '\u066B', GROUP_SEP: '\u066C', PERCENT: '\u066A', ZERO_DIGIT: '\u0660', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: '\u0627\u0633', PERMILL: '\u0609', INFINITY: '\u221E', NAN: '\u0644\u064A\u0633\u00A0\u0631\u0642\u0645', DECIMAL_PATTERN: '#0.###;#0.###-', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#0.00;\u00A4\u00A0#0.00-', DEF_CURRENCY_CODE: 'XAF' }; /** * Number formatting symbols for locale ar_TN. * @enum {string} */ goog.i18n.NumberFormatSymbols_ar_TN = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#0.###;#0.###-', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#0.00', DEF_CURRENCY_CODE: 'TND' }; /** * Number formatting symbols for locale ar_YE. * @enum {string} */ goog.i18n.NumberFormatSymbols_ar_YE = { DECIMAL_SEP: '\u066B', GROUP_SEP: '\u066C', PERCENT: '\u066A', ZERO_DIGIT: '\u0660', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: '\u0627\u0633', PERMILL: '\u0609', INFINITY: '\u221E', NAN: '\u0644\u064A\u0633\u00A0\u0631\u0642\u0645', DECIMAL_PATTERN: '#0.###;#0.###-', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#0.00', DEF_CURRENCY_CODE: 'YER' }; /** * Number formatting symbols for locale as. * @enum {string} */ goog.i18n.NumberFormatSymbols_as = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '\u09e6', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##,##0.00', DEF_CURRENCY_CODE: 'INR' }; /** * Number formatting symbols for locale as_IN. * @enum {string} */ goog.i18n.NumberFormatSymbols_as_IN = goog.i18n.NumberFormatSymbols_as; /** * Number formatting symbols for locale asa. * @enum {string} */ goog.i18n.NumberFormatSymbols_asa = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'TZS' }; /** * Number formatting symbols for locale asa_TZ. * @enum {string} */ goog.i18n.NumberFormatSymbols_asa_TZ = goog.i18n.NumberFormatSymbols_asa; /** * Number formatting symbols for locale ast. * @enum {string} */ goog.i18n.NumberFormatSymbols_ast = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'EUR' }; /** * Number formatting symbols for locale ast_ES. * @enum {string} */ goog.i18n.NumberFormatSymbols_ast_ES = goog.i18n.NumberFormatSymbols_ast; /** * Number formatting symbols for locale az. * @enum {string} */ goog.i18n.NumberFormatSymbols_az = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00', DEF_CURRENCY_CODE: 'AZN' }; /** * Number formatting symbols for locale az_Cyrl. * @enum {string} */ goog.i18n.NumberFormatSymbols_az_Cyrl = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00', DEF_CURRENCY_CODE: 'EUR' }; /** * Number formatting symbols for locale az_Cyrl_AZ. * @enum {string} */ goog.i18n.NumberFormatSymbols_az_Cyrl_AZ = goog.i18n.NumberFormatSymbols_az; /** * Number formatting symbols for locale az_Latn. * @enum {string} */ goog.i18n.NumberFormatSymbols_az_Latn = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00', DEF_CURRENCY_CODE: 'EUR' }; /** * Number formatting symbols for locale az_Latn_AZ. * @enum {string} */ goog.i18n.NumberFormatSymbols_az_Latn_AZ = goog.i18n.NumberFormatSymbols_az; /** * Number formatting symbols for locale bas. * @enum {string} */ goog.i18n.NumberFormatSymbols_bas = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'XAF' }; /** * Number formatting symbols for locale bas_CM. * @enum {string} */ goog.i18n.NumberFormatSymbols_bas_CM = goog.i18n.NumberFormatSymbols_bas; /** * Number formatting symbols for locale be. * @enum {string} */ goog.i18n.NumberFormatSymbols_be = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'BYR' }; /** * Number formatting symbols for locale be_BY. * @enum {string} */ goog.i18n.NumberFormatSymbols_be_BY = goog.i18n.NumberFormatSymbols_be; /** * Number formatting symbols for locale bem. * @enum {string} */ goog.i18n.NumberFormatSymbols_bem = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'ZMK' }; /** * Number formatting symbols for locale bem_ZM. * @enum {string} */ goog.i18n.NumberFormatSymbols_bem_ZM = goog.i18n.NumberFormatSymbols_bem; /** * Number formatting symbols for locale bez. * @enum {string} */ goog.i18n.NumberFormatSymbols_bez = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A4', DEF_CURRENCY_CODE: 'TZS' }; /** * Number formatting symbols for locale bez_TZ. * @enum {string} */ goog.i18n.NumberFormatSymbols_bez_TZ = goog.i18n.NumberFormatSymbols_bez; /** * Number formatting symbols for locale bm. * @enum {string} */ goog.i18n.NumberFormatSymbols_bm = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'XOF' }; /** * Number formatting symbols for locale bm_ML. * @enum {string} */ goog.i18n.NumberFormatSymbols_bm_ML = goog.i18n.NumberFormatSymbols_bm; /** * Number formatting symbols for locale bn_IN. * @enum {string} */ goog.i18n.NumberFormatSymbols_bn_IN = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '\u09e6', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: '\u09B8\u0982\u0996\u09CD\u09AF\u09BE\u00A0\u09A8\u09BE', DECIMAL_PATTERN: '#,##,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##,##0%', CURRENCY_PATTERN: '#,##,##0.00\u00A4;(#,##,##0.00\u00A4)', DEF_CURRENCY_CODE: 'INR' }; /** * Number formatting symbols for locale bo. * @enum {string} */ goog.i18n.NumberFormatSymbols_bo = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00', DEF_CURRENCY_CODE: 'CNY' }; /** * Number formatting symbols for locale bo_CN. * @enum {string} */ goog.i18n.NumberFormatSymbols_bo_CN = goog.i18n.NumberFormatSymbols_bo; /** * Number formatting symbols for locale bo_IN. * @enum {string} */ goog.i18n.NumberFormatSymbols_bo_IN = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00', DEF_CURRENCY_CODE: 'INR' }; /** * Number formatting symbols for locale br. * @enum {string} */ goog.i18n.NumberFormatSymbols_br = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00', DEF_CURRENCY_CODE: 'EUR' }; /** * Number formatting symbols for locale br_FR. * @enum {string} */ goog.i18n.NumberFormatSymbols_br_FR = goog.i18n.NumberFormatSymbols_br; /** * Number formatting symbols for locale brx. * @enum {string} */ goog.i18n.NumberFormatSymbols_brx = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##,##0.00', DEF_CURRENCY_CODE: 'INR' }; /** * Number formatting symbols for locale brx_IN. * @enum {string} */ goog.i18n.NumberFormatSymbols_brx_IN = goog.i18n.NumberFormatSymbols_brx; /** * Number formatting symbols for locale bs. * @enum {string} */ goog.i18n.NumberFormatSymbols_bs = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00', DEF_CURRENCY_CODE: 'BAM' }; /** * Number formatting symbols for locale bs_Cyrl. * @enum {string} */ goog.i18n.NumberFormatSymbols_bs_Cyrl = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'EUR' }; /** * Number formatting symbols for locale bs_Cyrl_BA. * @enum {string} */ goog.i18n.NumberFormatSymbols_bs_Cyrl_BA = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'BAM' }; /** * Number formatting symbols for locale bs_Latn. * @enum {string} */ goog.i18n.NumberFormatSymbols_bs_Latn = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00', DEF_CURRENCY_CODE: 'EUR' }; /** * Number formatting symbols for locale bs_Latn_BA. * @enum {string} */ goog.i18n.NumberFormatSymbols_bs_Latn_BA = goog.i18n.NumberFormatSymbols_bs; /** * Number formatting symbols for locale byn. * @enum {string} */ goog.i18n.NumberFormatSymbols_byn = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'ERN' }; /** * Number formatting symbols for locale byn_ER. * @enum {string} */ goog.i18n.NumberFormatSymbols_byn_ER = goog.i18n.NumberFormatSymbols_byn; /** * Number formatting symbols for locale cgg. * @enum {string} */ goog.i18n.NumberFormatSymbols_cgg = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;-#,##0.00\u00A4', DEF_CURRENCY_CODE: 'UGX' }; /** * Number formatting symbols for locale cgg_UG. * @enum {string} */ goog.i18n.NumberFormatSymbols_cgg_UG = goog.i18n.NumberFormatSymbols_cgg; /** * Number formatting symbols for locale chr. * @enum {string} */ goog.i18n.NumberFormatSymbols_chr = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'USD' }; /** * Number formatting symbols for locale chr_US. * @enum {string} */ goog.i18n.NumberFormatSymbols_chr_US = goog.i18n.NumberFormatSymbols_chr; /** * Number formatting symbols for locale ckb. * @enum {string} */ goog.i18n.NumberFormatSymbols_ckb = { DECIMAL_SEP: '\u066B', GROUP_SEP: '\u066C', PERCENT: '\u066A', ZERO_DIGIT: '\u0660', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: '\u0627\u0633', PERMILL: '\u0609', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00', DEF_CURRENCY_CODE: 'IQD' }; /** * Number formatting symbols for locale ckb_Arab. * @enum {string} */ goog.i18n.NumberFormatSymbols_ckb_Arab = { DECIMAL_SEP: '\u066B', GROUP_SEP: '\u066C', PERCENT: '\u066A', ZERO_DIGIT: '\u0660', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: '\u0627\u0633', PERMILL: '\u0609', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00', DEF_CURRENCY_CODE: 'EUR' }; /** * Number formatting symbols for locale ckb_Arab_IQ. * @enum {string} */ goog.i18n.NumberFormatSymbols_ckb_Arab_IQ = goog.i18n.NumberFormatSymbols_ckb; /** * Number formatting symbols for locale ckb_Arab_IR. * @enum {string} */ goog.i18n.NumberFormatSymbols_ckb_Arab_IR = { DECIMAL_SEP: '\u066B', GROUP_SEP: '\u066C', PERCENT: '\u066A', ZERO_DIGIT: '\u0660', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: '\u0627\u0633', PERMILL: '\u0609', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00', DEF_CURRENCY_CODE: 'IRR' }; /** * Number formatting symbols for locale ckb_IQ. * @enum {string} */ goog.i18n.NumberFormatSymbols_ckb_IQ = goog.i18n.NumberFormatSymbols_ckb; /** * Number formatting symbols for locale ckb_IR. * @enum {string} */ goog.i18n.NumberFormatSymbols_ckb_IR = { DECIMAL_SEP: '\u066B', GROUP_SEP: '\u066C', PERCENT: '\u066A', ZERO_DIGIT: '\u0660', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: '\u0627\u0633', PERMILL: '\u0609', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00', DEF_CURRENCY_CODE: 'IRR' }; /** * Number formatting symbols for locale ckb_Latn. * @enum {string} */ goog.i18n.NumberFormatSymbols_ckb_Latn = { DECIMAL_SEP: '\u066B', GROUP_SEP: '\u066C', PERCENT: '\u066A', ZERO_DIGIT: '\u0660', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: '\u0627\u0633', PERMILL: '\u0609', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00', DEF_CURRENCY_CODE: 'EUR' }; /** * Number formatting symbols for locale ckb_Latn_IQ. * @enum {string} */ goog.i18n.NumberFormatSymbols_ckb_Latn_IQ = goog.i18n.NumberFormatSymbols_ckb; /** * Number formatting symbols for locale cy. * @enum {string} */ goog.i18n.NumberFormatSymbols_cy = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'GBP' }; /** * Number formatting symbols for locale cy_GB. * @enum {string} */ goog.i18n.NumberFormatSymbols_cy_GB = goog.i18n.NumberFormatSymbols_cy; /** * Number formatting symbols for locale dav. * @enum {string} */ goog.i18n.NumberFormatSymbols_dav = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'KES' }; /** * Number formatting symbols for locale dav_KE. * @enum {string} */ goog.i18n.NumberFormatSymbols_dav_KE = goog.i18n.NumberFormatSymbols_dav; /** * Number formatting symbols for locale de_LI. * @enum {string} */ goog.i18n.NumberFormatSymbols_de_LI = { DECIMAL_SEP: '.', GROUP_SEP: '\'', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00', DEF_CURRENCY_CODE: 'CHF' }; /** * Number formatting symbols for locale dje. * @enum {string} */ goog.i18n.NumberFormatSymbols_dje = { DECIMAL_SEP: '.', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A4', DEF_CURRENCY_CODE: 'XOF' }; /** * Number formatting symbols for locale dje_NE. * @enum {string} */ goog.i18n.NumberFormatSymbols_dje_NE = goog.i18n.NumberFormatSymbols_dje; /** * Number formatting symbols for locale dua. * @enum {string} */ goog.i18n.NumberFormatSymbols_dua = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'XAF' }; /** * Number formatting symbols for locale dua_CM. * @enum {string} */ goog.i18n.NumberFormatSymbols_dua_CM = goog.i18n.NumberFormatSymbols_dua; /** * Number formatting symbols for locale dyo. * @enum {string} */ goog.i18n.NumberFormatSymbols_dyo = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'XOF' }; /** * Number formatting symbols for locale dyo_SN. * @enum {string} */ goog.i18n.NumberFormatSymbols_dyo_SN = goog.i18n.NumberFormatSymbols_dyo; /** * Number formatting symbols for locale dz. * @enum {string} */ goog.i18n.NumberFormatSymbols_dz = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '\u0F20', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u0F42\u0FB2\u0F44\u0F66\u0F0B\u0F58\u0F7A\u0F51', NAN: '\u0F68\u0F44\u0F0B\u0F58\u0F51', DECIMAL_PATTERN: '#,##,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##,##0\u00A0%', CURRENCY_PATTERN: '\u00A4#,##,##0.00', DEF_CURRENCY_CODE: 'BTN' }; /** * Number formatting symbols for locale dz_BT. * @enum {string} */ goog.i18n.NumberFormatSymbols_dz_BT = goog.i18n.NumberFormatSymbols_dz; /** * Number formatting symbols for locale ebu. * @enum {string} */ goog.i18n.NumberFormatSymbols_ebu = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'KES' }; /** * Number formatting symbols for locale ebu_KE. * @enum {string} */ goog.i18n.NumberFormatSymbols_ebu_KE = goog.i18n.NumberFormatSymbols_ebu; /** * Number formatting symbols for locale ee. * @enum {string} */ goog.i18n.NumberFormatSymbols_ee = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'mnn', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'GHS' }; /** * Number formatting symbols for locale ee_GH. * @enum {string} */ goog.i18n.NumberFormatSymbols_ee_GH = goog.i18n.NumberFormatSymbols_ee; /** * Number formatting symbols for locale ee_TG. * @enum {string} */ goog.i18n.NumberFormatSymbols_ee_TG = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'mnn', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'XOF' }; /** * Number formatting symbols for locale el_CY. * @enum {string} */ goog.i18n.NumberFormatSymbols_el_CY = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'e', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '[#E0]', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'EUR' }; /** * Number formatting symbols for locale en_150. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_150 = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'USD' }; /** * Number formatting symbols for locale en_AG. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_AG = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'XCD' }; /** * Number formatting symbols for locale en_BB. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_BB = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'BBD' }; /** * Number formatting symbols for locale en_BE. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_BE = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'EUR' }; /** * Number formatting symbols for locale en_BM. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_BM = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'BMD' }; /** * Number formatting symbols for locale en_BS. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_BS = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'BSD' }; /** * Number formatting symbols for locale en_BW. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_BW = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'BWP' }; /** * Number formatting symbols for locale en_BZ. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_BZ = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'BZD' }; /** * Number formatting symbols for locale en_CA. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_CA = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'CAD' }; /** * Number formatting symbols for locale en_CM. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_CM = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'XAF' }; /** * Number formatting symbols for locale en_DM. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_DM = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'XCD' }; /** * Number formatting symbols for locale en_Dsrt. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_Dsrt = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'EUR' }; /** * Number formatting symbols for locale en_FJ. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_FJ = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'FJD' }; /** * Number formatting symbols for locale en_GD. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_GD = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'XCD' }; /** * Number formatting symbols for locale en_GG. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_GG = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'GBP' }; /** * Number formatting symbols for locale en_GH. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_GH = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'GHS' }; /** * Number formatting symbols for locale en_GI. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_GI = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'GIP' }; /** * Number formatting symbols for locale en_GM. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_GM = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'GMD' }; /** * Number formatting symbols for locale en_GY. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_GY = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'GYD' }; /** * Number formatting symbols for locale en_HK. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_HK = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'HKD' }; /** * Number formatting symbols for locale en_IM. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_IM = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'GBP' }; /** * Number formatting symbols for locale en_JE. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_JE = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'GBP' }; /** * Number formatting symbols for locale en_JM. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_JM = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'JMD' }; /** * Number formatting symbols for locale en_KE. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_KE = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'KES' }; /** * Number formatting symbols for locale en_KI. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_KI = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'AUD' }; /** * Number formatting symbols for locale en_KN. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_KN = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'XCD' }; /** * Number formatting symbols for locale en_KY. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_KY = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'KYD' }; /** * Number formatting symbols for locale en_LC. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_LC = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'XCD' }; /** * Number formatting symbols for locale en_LR. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_LR = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'LRD' }; /** * Number formatting symbols for locale en_LS. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_LS = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'ZAR' }; /** * Number formatting symbols for locale en_MG. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_MG = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'MGA' }; /** * Number formatting symbols for locale en_MT. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_MT = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'EUR' }; /** * Number formatting symbols for locale en_MU. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_MU = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'MUR' }; /** * Number formatting symbols for locale en_MW. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_MW = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'MWK' }; /** * Number formatting symbols for locale en_NA. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_NA = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'NAD' }; /** * Number formatting symbols for locale en_NG. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_NG = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'NGN' }; /** * Number formatting symbols for locale en_NZ. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_NZ = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'NZD' }; /** * Number formatting symbols for locale en_PG. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_PG = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'PGK' }; /** * Number formatting symbols for locale en_PH. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_PH = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'PHP' }; /** * Number formatting symbols for locale en_PK. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_PK = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##,##0.00', DEF_CURRENCY_CODE: 'PKR' }; /** * Number formatting symbols for locale en_SB. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_SB = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'SBD' }; /** * Number formatting symbols for locale en_SC. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_SC = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'SCR' }; /** * Number formatting symbols for locale en_SL. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_SL = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'SLL' }; /** * Number formatting symbols for locale en_SS. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_SS = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'SSP' }; /** * Number formatting symbols for locale en_SZ. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_SZ = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'SZL' }; /** * Number formatting symbols for locale en_TO. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_TO = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'TOP' }; /** * Number formatting symbols for locale en_TT. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_TT = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'TTD' }; /** * Number formatting symbols for locale en_TZ. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_TZ = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'TZS' }; /** * Number formatting symbols for locale en_UG. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_UG = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'UGX' }; /** * Number formatting symbols for locale en_VC. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_VC = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'XCD' }; /** * Number formatting symbols for locale en_VU. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_VU = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'VUV' }; /** * Number formatting symbols for locale en_WS. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_WS = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'WST' }; /** * Number formatting symbols for locale en_ZM. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_ZM = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'ZMK' }; /** * Number formatting symbols for locale en_ZW. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_ZW = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'USD' }; /** * Number formatting symbols for locale eo. * @enum {string} */ goog.i18n.NumberFormatSymbols_eo = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00', DEF_CURRENCY_CODE: 'USD' }; /** * Number formatting symbols for locale es_AR. * @enum {string} */ goog.i18n.NumberFormatSymbols_es_AR = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'ARS' }; /** * Number formatting symbols for locale es_BO. * @enum {string} */ goog.i18n.NumberFormatSymbols_es_BO = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'BOB' }; /** * Number formatting symbols for locale es_CL. * @enum {string} */ goog.i18n.NumberFormatSymbols_es_CL = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;\u00A4-#,##0.00', DEF_CURRENCY_CODE: 'CLP' }; /** * Number formatting symbols for locale es_CO. * @enum {string} */ goog.i18n.NumberFormatSymbols_es_CO = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'COP' }; /** * Number formatting symbols for locale es_CR. * @enum {string} */ goog.i18n.NumberFormatSymbols_es_CR = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'CRC' }; /** * Number formatting symbols for locale es_CU. * @enum {string} */ goog.i18n.NumberFormatSymbols_es_CU = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'CUC' }; /** * Number formatting symbols for locale es_DO. * @enum {string} */ goog.i18n.NumberFormatSymbols_es_DO = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'DOP' }; /** * Number formatting symbols for locale es_EC. * @enum {string} */ goog.i18n.NumberFormatSymbols_es_EC = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;\u00A4-#,##0.00', DEF_CURRENCY_CODE: 'USD' }; /** * Number formatting symbols for locale es_GQ. * @enum {string} */ goog.i18n.NumberFormatSymbols_es_GQ = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'XAF' }; /** * Number formatting symbols for locale es_GT. * @enum {string} */ goog.i18n.NumberFormatSymbols_es_GT = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'GTQ' }; /** * Number formatting symbols for locale es_HN. * @enum {string} */ goog.i18n.NumberFormatSymbols_es_HN = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'HNL' }; /** * Number formatting symbols for locale es_MX. * @enum {string} */ goog.i18n.NumberFormatSymbols_es_MX = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'MXN' }; /** * Number formatting symbols for locale es_NI. * @enum {string} */ goog.i18n.NumberFormatSymbols_es_NI = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'NIO' }; /** * Number formatting symbols for locale es_PA. * @enum {string} */ goog.i18n.NumberFormatSymbols_es_PA = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'PAB' }; /** * Number formatting symbols for locale es_PE. * @enum {string} */ goog.i18n.NumberFormatSymbols_es_PE = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'PEN' }; /** * Number formatting symbols for locale es_PH. * @enum {string} */ goog.i18n.NumberFormatSymbols_es_PH = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'PHP' }; /** * Number formatting symbols for locale es_PR. * @enum {string} */ goog.i18n.NumberFormatSymbols_es_PR = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'USD' }; /** * Number formatting symbols for locale es_PY. * @enum {string} */ goog.i18n.NumberFormatSymbols_es_PY = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00;\u00A4\u00A0-#,##0.00', DEF_CURRENCY_CODE: 'PYG' }; /** * Number formatting symbols for locale es_SV. * @enum {string} */ goog.i18n.NumberFormatSymbols_es_SV = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'USD' }; /** * Number formatting symbols for locale es_US. * @enum {string} */ goog.i18n.NumberFormatSymbols_es_US = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'USD' }; /** * Number formatting symbols for locale es_UY. * @enum {string} */ goog.i18n.NumberFormatSymbols_es_UY = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00;(\u00A4\u00A0#,##0.00)', DEF_CURRENCY_CODE: 'UYU' }; /** * Number formatting symbols for locale es_VE. * @enum {string} */ goog.i18n.NumberFormatSymbols_es_VE = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;\u00A4-#,##0.00', DEF_CURRENCY_CODE: 'VEF' }; /** * Number formatting symbols for locale ewo. * @enum {string} */ goog.i18n.NumberFormatSymbols_ewo = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'XAF' }; /** * Number formatting symbols for locale ewo_CM. * @enum {string} */ goog.i18n.NumberFormatSymbols_ewo_CM = goog.i18n.NumberFormatSymbols_ewo; /** * Number formatting symbols for locale fa_AF. * @enum {string} */ goog.i18n.NumberFormatSymbols_fa_AF = { DECIMAL_SEP: '\u066B', GROUP_SEP: '\u066C', PERCENT: '\u066A', ZERO_DIGIT: '\u06F0', PLUS_SIGN: '+', MINUS_SIGN: '\u2212', EXP_SYMBOL: '\u00D7\u06F1\u06F0^', PERMILL: '\u0609', INFINITY: '\u221E', NAN: '\u0646\u0627\u0639\u062F\u062F', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '\'\u202A\'#,##0%\'\u202C\'', CURRENCY_PATTERN: '\u200E\u00A4#,##0.00;\u200E(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'AFN' }; /** * Number formatting symbols for locale ff. * @enum {string} */ goog.i18n.NumberFormatSymbols_ff = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'XOF' }; /** * Number formatting symbols for locale ff_SN. * @enum {string} */ goog.i18n.NumberFormatSymbols_ff_SN = goog.i18n.NumberFormatSymbols_ff; /** * Number formatting symbols for locale fo. * @enum {string} */ goog.i18n.NumberFormatSymbols_fo = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '\u2212', EXP_SYMBOL: '\u00D710^', PERMILL: '\u2030', INFINITY: '\u221E', NAN: '\u00A4\u00A4\u00A4', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '\u00A4#,##0.00;\u00A4-#,##0.00', DEF_CURRENCY_CODE: 'DKK' }; /** * Number formatting symbols for locale fo_FO. * @enum {string} */ goog.i18n.NumberFormatSymbols_fo_FO = goog.i18n.NumberFormatSymbols_fo; /** * Number formatting symbols for locale fr_BE. * @enum {string} */ goog.i18n.NumberFormatSymbols_fr_BE = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4;(#,##0.00\u00A0\u00A4)', DEF_CURRENCY_CODE: 'EUR' }; /** * Number formatting symbols for locale fr_BF. * @enum {string} */ goog.i18n.NumberFormatSymbols_fr_BF = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4;(#,##0.00\u00A0\u00A4)', DEF_CURRENCY_CODE: 'XOF' }; /** * Number formatting symbols for locale fr_BI. * @enum {string} */ goog.i18n.NumberFormatSymbols_fr_BI = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4;(#,##0.00\u00A0\u00A4)', DEF_CURRENCY_CODE: 'BIF' }; /** * Number formatting symbols for locale fr_BJ. * @enum {string} */ goog.i18n.NumberFormatSymbols_fr_BJ = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4;(#,##0.00\u00A0\u00A4)', DEF_CURRENCY_CODE: 'XOF' }; /** * Number formatting symbols for locale fr_CD. * @enum {string} */ goog.i18n.NumberFormatSymbols_fr_CD = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4;(#,##0.00\u00A0\u00A4)', DEF_CURRENCY_CODE: 'CDF' }; /** * Number formatting symbols for locale fr_CF. * @enum {string} */ goog.i18n.NumberFormatSymbols_fr_CF = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4;(#,##0.00\u00A0\u00A4)', DEF_CURRENCY_CODE: 'XAF' }; /** * Number formatting symbols for locale fr_CG. * @enum {string} */ goog.i18n.NumberFormatSymbols_fr_CG = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4;(#,##0.00\u00A0\u00A4)', DEF_CURRENCY_CODE: 'XAF' }; /** * Number formatting symbols for locale fr_CH. * @enum {string} */ goog.i18n.NumberFormatSymbols_fr_CH = { DECIMAL_SEP: '.', GROUP_SEP: '\'', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00;\u00A4-#,##0.00', DEF_CURRENCY_CODE: 'CHF' }; /** * Number formatting symbols for locale fr_CI. * @enum {string} */ goog.i18n.NumberFormatSymbols_fr_CI = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4;(#,##0.00\u00A0\u00A4)', DEF_CURRENCY_CODE: 'XOF' }; /** * Number formatting symbols for locale fr_CM. * @enum {string} */ goog.i18n.NumberFormatSymbols_fr_CM = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4;(#,##0.00\u00A0\u00A4)', DEF_CURRENCY_CODE: 'XAF' }; /** * Number formatting symbols for locale fr_DJ. * @enum {string} */ goog.i18n.NumberFormatSymbols_fr_DJ = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4;(#,##0.00\u00A0\u00A4)', DEF_CURRENCY_CODE: 'DJF' }; /** * Number formatting symbols for locale fr_DZ. * @enum {string} */ goog.i18n.NumberFormatSymbols_fr_DZ = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4;(#,##0.00\u00A0\u00A4)', DEF_CURRENCY_CODE: 'DZD' }; /** * Number formatting symbols for locale fr_GA. * @enum {string} */ goog.i18n.NumberFormatSymbols_fr_GA = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4;(#,##0.00\u00A0\u00A4)', DEF_CURRENCY_CODE: 'XAF' }; /** * Number formatting symbols for locale fr_GN. * @enum {string} */ goog.i18n.NumberFormatSymbols_fr_GN = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4;(#,##0.00\u00A0\u00A4)', DEF_CURRENCY_CODE: 'GNF' }; /** * Number formatting symbols for locale fr_GQ. * @enum {string} */ goog.i18n.NumberFormatSymbols_fr_GQ = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4;(#,##0.00\u00A0\u00A4)', DEF_CURRENCY_CODE: 'XAF' }; /** * Number formatting symbols for locale fr_HT. * @enum {string} */ goog.i18n.NumberFormatSymbols_fr_HT = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4;(#,##0.00\u00A0\u00A4)', DEF_CURRENCY_CODE: 'HTG' }; /** * Number formatting symbols for locale fr_KM. * @enum {string} */ goog.i18n.NumberFormatSymbols_fr_KM = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4;(#,##0.00\u00A0\u00A4)', DEF_CURRENCY_CODE: 'KMF' }; /** * Number formatting symbols for locale fr_LU. * @enum {string} */ goog.i18n.NumberFormatSymbols_fr_LU = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4;(#,##0.00\u00A0\u00A4)', DEF_CURRENCY_CODE: 'EUR' }; /** * Number formatting symbols for locale fr_MA. * @enum {string} */ goog.i18n.NumberFormatSymbols_fr_MA = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4;(#,##0.00\u00A0\u00A4)', DEF_CURRENCY_CODE: 'MAD' }; /** * Number formatting symbols for locale fr_MG. * @enum {string} */ goog.i18n.NumberFormatSymbols_fr_MG = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4;(#,##0.00\u00A0\u00A4)', DEF_CURRENCY_CODE: 'MGA' }; /** * Number formatting symbols for locale fr_ML. * @enum {string} */ goog.i18n.NumberFormatSymbols_fr_ML = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4;(#,##0.00\u00A0\u00A4)', DEF_CURRENCY_CODE: 'XOF' }; /** * Number formatting symbols for locale fr_MR. * @enum {string} */ goog.i18n.NumberFormatSymbols_fr_MR = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4;(#,##0.00\u00A0\u00A4)', DEF_CURRENCY_CODE: 'MRO' }; /** * Number formatting symbols for locale fr_MU. * @enum {string} */ goog.i18n.NumberFormatSymbols_fr_MU = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4;(#,##0.00\u00A0\u00A4)', DEF_CURRENCY_CODE: 'MUR' }; /** * Number formatting symbols for locale fr_NC. * @enum {string} */ goog.i18n.NumberFormatSymbols_fr_NC = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4;(#,##0.00\u00A0\u00A4)', DEF_CURRENCY_CODE: 'XPF' }; /** * Number formatting symbols for locale fr_NE. * @enum {string} */ goog.i18n.NumberFormatSymbols_fr_NE = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4;(#,##0.00\u00A0\u00A4)', DEF_CURRENCY_CODE: 'XOF' }; /** * Number formatting symbols for locale fr_PF. * @enum {string} */ goog.i18n.NumberFormatSymbols_fr_PF = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4;(#,##0.00\u00A0\u00A4)', DEF_CURRENCY_CODE: 'XPF' }; /** * Number formatting symbols for locale fr_RW. * @enum {string} */ goog.i18n.NumberFormatSymbols_fr_RW = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4;(#,##0.00\u00A0\u00A4)', DEF_CURRENCY_CODE: 'RWF' }; /** * Number formatting symbols for locale fr_SC. * @enum {string} */ goog.i18n.NumberFormatSymbols_fr_SC = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4;(#,##0.00\u00A0\u00A4)', DEF_CURRENCY_CODE: 'SCR' }; /** * Number formatting symbols for locale fr_SN. * @enum {string} */ goog.i18n.NumberFormatSymbols_fr_SN = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4;(#,##0.00\u00A0\u00A4)', DEF_CURRENCY_CODE: 'XOF' }; /** * Number formatting symbols for locale fr_SY. * @enum {string} */ goog.i18n.NumberFormatSymbols_fr_SY = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4;(#,##0.00\u00A0\u00A4)', DEF_CURRENCY_CODE: 'SYP' }; /** * Number formatting symbols for locale fr_TD. * @enum {string} */ goog.i18n.NumberFormatSymbols_fr_TD = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4;(#,##0.00\u00A0\u00A4)', DEF_CURRENCY_CODE: 'XAF' }; /** * Number formatting symbols for locale fr_TG. * @enum {string} */ goog.i18n.NumberFormatSymbols_fr_TG = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4;(#,##0.00\u00A0\u00A4)', DEF_CURRENCY_CODE: 'XOF' }; /** * Number formatting symbols for locale fr_TN. * @enum {string} */ goog.i18n.NumberFormatSymbols_fr_TN = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4;(#,##0.00\u00A0\u00A4)', DEF_CURRENCY_CODE: 'TND' }; /** * Number formatting symbols for locale fr_VU. * @enum {string} */ goog.i18n.NumberFormatSymbols_fr_VU = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4;(#,##0.00\u00A0\u00A4)', DEF_CURRENCY_CODE: 'VUV' }; /** * Number formatting symbols for locale fur. * @enum {string} */ goog.i18n.NumberFormatSymbols_fur = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00', DEF_CURRENCY_CODE: 'EUR' }; /** * Number formatting symbols for locale fur_IT. * @enum {string} */ goog.i18n.NumberFormatSymbols_fur_IT = goog.i18n.NumberFormatSymbols_fur; /** * Number formatting symbols for locale ga. * @enum {string} */ goog.i18n.NumberFormatSymbols_ga = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'EUR' }; /** * Number formatting symbols for locale ga_IE. * @enum {string} */ goog.i18n.NumberFormatSymbols_ga_IE = goog.i18n.NumberFormatSymbols_ga; /** * Number formatting symbols for locale gd. * @enum {string} */ goog.i18n.NumberFormatSymbols_gd = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'GBP' }; /** * Number formatting symbols for locale gd_GB. * @enum {string} */ goog.i18n.NumberFormatSymbols_gd_GB = goog.i18n.NumberFormatSymbols_gd; /** * Number formatting symbols for locale guz. * @enum {string} */ goog.i18n.NumberFormatSymbols_guz = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'KES' }; /** * Number formatting symbols for locale guz_KE. * @enum {string} */ goog.i18n.NumberFormatSymbols_guz_KE = goog.i18n.NumberFormatSymbols_guz; /** * Number formatting symbols for locale gv. * @enum {string} */ goog.i18n.NumberFormatSymbols_gv = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'GBP' }; /** * Number formatting symbols for locale gv_GB. * @enum {string} */ goog.i18n.NumberFormatSymbols_gv_GB = goog.i18n.NumberFormatSymbols_gv; /** * Number formatting symbols for locale ha. * @enum {string} */ goog.i18n.NumberFormatSymbols_ha = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00', DEF_CURRENCY_CODE: 'NGN' }; /** * Number formatting symbols for locale ha_Latn. * @enum {string} */ goog.i18n.NumberFormatSymbols_ha_Latn = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00', DEF_CURRENCY_CODE: 'EUR' }; /** * Number formatting symbols for locale ha_Latn_GH. * @enum {string} */ goog.i18n.NumberFormatSymbols_ha_Latn_GH = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00', DEF_CURRENCY_CODE: 'GHS' }; /** * Number formatting symbols for locale ha_Latn_NE. * @enum {string} */ goog.i18n.NumberFormatSymbols_ha_Latn_NE = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00', DEF_CURRENCY_CODE: 'XOF' }; /** * Number formatting symbols for locale ha_Latn_NG. * @enum {string} */ goog.i18n.NumberFormatSymbols_ha_Latn_NG = goog.i18n.NumberFormatSymbols_ha; /** * Number formatting symbols for locale haw. * @enum {string} */ goog.i18n.NumberFormatSymbols_haw = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'USD' }; /** * Number formatting symbols for locale haw_US. * @enum {string} */ goog.i18n.NumberFormatSymbols_haw_US = goog.i18n.NumberFormatSymbols_haw; /** * Number formatting symbols for locale hr_BA. * @enum {string} */ goog.i18n.NumberFormatSymbols_hr_BA = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'BAM' }; /** * Number formatting symbols for locale hy. * @enum {string} */ goog.i18n.NumberFormatSymbols_hy = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#0%', CURRENCY_PATTERN: '#0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'AMD' }; /** * Number formatting symbols for locale hy_AM. * @enum {string} */ goog.i18n.NumberFormatSymbols_hy_AM = goog.i18n.NumberFormatSymbols_hy; /** * Number formatting symbols for locale ia. * @enum {string} */ goog.i18n.NumberFormatSymbols_ia = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00', DEF_CURRENCY_CODE: 'USD' }; /** * Number formatting symbols for locale ig. * @enum {string} */ goog.i18n.NumberFormatSymbols_ig = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'NGN' }; /** * Number formatting symbols for locale ig_NG. * @enum {string} */ goog.i18n.NumberFormatSymbols_ig_NG = goog.i18n.NumberFormatSymbols_ig; /** * Number formatting symbols for locale ii. * @enum {string} */ goog.i18n.NumberFormatSymbols_ii = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00', DEF_CURRENCY_CODE: 'CNY' }; /** * Number formatting symbols for locale ii_CN. * @enum {string} */ goog.i18n.NumberFormatSymbols_ii_CN = goog.i18n.NumberFormatSymbols_ii; /** * Number formatting symbols for locale it_CH. * @enum {string} */ goog.i18n.NumberFormatSymbols_it_CH = { DECIMAL_SEP: '.', GROUP_SEP: '\'', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00;\u00A4-#,##0.00', DEF_CURRENCY_CODE: 'CHF' }; /** * Number formatting symbols for locale jgo. * @enum {string} */ goog.i18n.NumberFormatSymbols_jgo = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00', DEF_CURRENCY_CODE: 'XAF' }; /** * Number formatting symbols for locale jgo_CM. * @enum {string} */ goog.i18n.NumberFormatSymbols_jgo_CM = goog.i18n.NumberFormatSymbols_jgo; /** * Number formatting symbols for locale jmc. * @enum {string} */ goog.i18n.NumberFormatSymbols_jmc = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'TZS' }; /** * Number formatting symbols for locale jmc_TZ. * @enum {string} */ goog.i18n.NumberFormatSymbols_jmc_TZ = goog.i18n.NumberFormatSymbols_jmc; /** * Number formatting symbols for locale ka. * @enum {string} */ goog.i18n.NumberFormatSymbols_ka = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'GEL' }; /** * Number formatting symbols for locale ka_GE. * @enum {string} */ goog.i18n.NumberFormatSymbols_ka_GE = goog.i18n.NumberFormatSymbols_ka; /** * Number formatting symbols for locale kab. * @enum {string} */ goog.i18n.NumberFormatSymbols_kab = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A4', DEF_CURRENCY_CODE: 'DZD' }; /** * Number formatting symbols for locale kab_DZ. * @enum {string} */ goog.i18n.NumberFormatSymbols_kab_DZ = goog.i18n.NumberFormatSymbols_kab; /** * Number formatting symbols for locale kam. * @enum {string} */ goog.i18n.NumberFormatSymbols_kam = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'KES' }; /** * Number formatting symbols for locale kam_KE. * @enum {string} */ goog.i18n.NumberFormatSymbols_kam_KE = goog.i18n.NumberFormatSymbols_kam; /** * Number formatting symbols for locale kde. * @enum {string} */ goog.i18n.NumberFormatSymbols_kde = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'TZS' }; /** * Number formatting symbols for locale kde_TZ. * @enum {string} */ goog.i18n.NumberFormatSymbols_kde_TZ = goog.i18n.NumberFormatSymbols_kde; /** * Number formatting symbols for locale kea. * @enum {string} */ goog.i18n.NumberFormatSymbols_kea = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A4', DEF_CURRENCY_CODE: 'CVE' }; /** * Number formatting symbols for locale kea_CV. * @enum {string} */ goog.i18n.NumberFormatSymbols_kea_CV = goog.i18n.NumberFormatSymbols_kea; /** * Number formatting symbols for locale khq. * @enum {string} */ goog.i18n.NumberFormatSymbols_khq = { DECIMAL_SEP: '.', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A4', DEF_CURRENCY_CODE: 'XOF' }; /** * Number formatting symbols for locale khq_ML. * @enum {string} */ goog.i18n.NumberFormatSymbols_khq_ML = goog.i18n.NumberFormatSymbols_khq; /** * Number formatting symbols for locale ki. * @enum {string} */ goog.i18n.NumberFormatSymbols_ki = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'KES' }; /** * Number formatting symbols for locale ki_KE. * @enum {string} */ goog.i18n.NumberFormatSymbols_ki_KE = goog.i18n.NumberFormatSymbols_ki; /** * Number formatting symbols for locale kk. * @enum {string} */ goog.i18n.NumberFormatSymbols_kk = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'KZT' }; /** * Number formatting symbols for locale kk_Cyrl. * @enum {string} */ goog.i18n.NumberFormatSymbols_kk_Cyrl = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'EUR' }; /** * Number formatting symbols for locale kk_Cyrl_KZ. * @enum {string} */ goog.i18n.NumberFormatSymbols_kk_Cyrl_KZ = goog.i18n.NumberFormatSymbols_kk; /** * Number formatting symbols for locale kkj. * @enum {string} */ goog.i18n.NumberFormatSymbols_kkj = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00', DEF_CURRENCY_CODE: 'XAF' }; /** * Number formatting symbols for locale kkj_CM. * @enum {string} */ goog.i18n.NumberFormatSymbols_kkj_CM = goog.i18n.NumberFormatSymbols_kkj; /** * Number formatting symbols for locale kl. * @enum {string} */ goog.i18n.NumberFormatSymbols_kl = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '\u2212', EXP_SYMBOL: '\u00D710^', PERMILL: '\u2030', INFINITY: '\u221E', NAN: '\u00A4\u00A4\u00A4', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '\u00A4#,##0.00;\u00A4-#,##0.00', DEF_CURRENCY_CODE: 'DKK' }; /** * Number formatting symbols for locale kl_GL. * @enum {string} */ goog.i18n.NumberFormatSymbols_kl_GL = goog.i18n.NumberFormatSymbols_kl; /** * Number formatting symbols for locale kln. * @enum {string} */ goog.i18n.NumberFormatSymbols_kln = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'KES' }; /** * Number formatting symbols for locale kln_KE. * @enum {string} */ goog.i18n.NumberFormatSymbols_kln_KE = goog.i18n.NumberFormatSymbols_kln; /** * Number formatting symbols for locale km. * @enum {string} */ goog.i18n.NumberFormatSymbols_km = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'KHR' }; /** * Number formatting symbols for locale km_KH. * @enum {string} */ goog.i18n.NumberFormatSymbols_km_KH = goog.i18n.NumberFormatSymbols_km; /** * Number formatting symbols for locale ko_KP. * @enum {string} */ goog.i18n.NumberFormatSymbols_ko_KP = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'KPW' }; /** * Number formatting symbols for locale kok. * @enum {string} */ goog.i18n.NumberFormatSymbols_kok = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##,##0.00', DEF_CURRENCY_CODE: 'INR' }; /** * Number formatting symbols for locale kok_IN. * @enum {string} */ goog.i18n.NumberFormatSymbols_kok_IN = goog.i18n.NumberFormatSymbols_kok; /** * Number formatting symbols for locale ks. * @enum {string} */ goog.i18n.NumberFormatSymbols_ks = { DECIMAL_SEP: '\u066B', GROUP_SEP: '\u066C', PERCENT: '\u066A', ZERO_DIGIT: '\u06F0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: '\u00D7\u06F1\u06F0^', PERMILL: '\u0609', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##,##0.00', DEF_CURRENCY_CODE: 'INR' }; /** * Number formatting symbols for locale ks_Arab. * @enum {string} */ goog.i18n.NumberFormatSymbols_ks_Arab = { DECIMAL_SEP: '\u066B', GROUP_SEP: '\u066C', PERCENT: '\u066A', ZERO_DIGIT: '\u06F0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: '\u00D7\u06F1\u06F0^', PERMILL: '\u0609', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##,##0.00', DEF_CURRENCY_CODE: 'EUR' }; /** * Number formatting symbols for locale ks_Arab_IN. * @enum {string} */ goog.i18n.NumberFormatSymbols_ks_Arab_IN = goog.i18n.NumberFormatSymbols_ks; /** * Number formatting symbols for locale ksb. * @enum {string} */ goog.i18n.NumberFormatSymbols_ksb = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A4', DEF_CURRENCY_CODE: 'TZS' }; /** * Number formatting symbols for locale ksb_TZ. * @enum {string} */ goog.i18n.NumberFormatSymbols_ksb_TZ = goog.i18n.NumberFormatSymbols_ksb; /** * Number formatting symbols for locale ksf. * @enum {string} */ goog.i18n.NumberFormatSymbols_ksf = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'XAF' }; /** * Number formatting symbols for locale ksf_CM. * @enum {string} */ goog.i18n.NumberFormatSymbols_ksf_CM = goog.i18n.NumberFormatSymbols_ksf; /** * Number formatting symbols for locale ksh. * @enum {string} */ goog.i18n.NumberFormatSymbols_ksh = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: '\u00D710^', PERMILL: '\u2030', INFINITY: '\u221E', NAN: '\u00A4\u00A4\u00A4', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'EUR' }; /** * Number formatting symbols for locale ksh_DE. * @enum {string} */ goog.i18n.NumberFormatSymbols_ksh_DE = goog.i18n.NumberFormatSymbols_ksh; /** * Number formatting symbols for locale kw. * @enum {string} */ goog.i18n.NumberFormatSymbols_kw = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'GBP' }; /** * Number formatting symbols for locale kw_GB. * @enum {string} */ goog.i18n.NumberFormatSymbols_kw_GB = goog.i18n.NumberFormatSymbols_kw; /** * Number formatting symbols for locale ky. * @enum {string} */ goog.i18n.NumberFormatSymbols_ky = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00', DEF_CURRENCY_CODE: 'KGS' }; /** * Number formatting symbols for locale ky_KG. * @enum {string} */ goog.i18n.NumberFormatSymbols_ky_KG = goog.i18n.NumberFormatSymbols_ky; /** * Number formatting symbols for locale lag. * @enum {string} */ goog.i18n.NumberFormatSymbols_lag = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00', DEF_CURRENCY_CODE: 'TZS' }; /** * Number formatting symbols for locale lag_TZ. * @enum {string} */ goog.i18n.NumberFormatSymbols_lag_TZ = goog.i18n.NumberFormatSymbols_lag; /** * Number formatting symbols for locale lg. * @enum {string} */ goog.i18n.NumberFormatSymbols_lg = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A4', DEF_CURRENCY_CODE: 'UGX' }; /** * Number formatting symbols for locale lg_UG. * @enum {string} */ goog.i18n.NumberFormatSymbols_lg_UG = goog.i18n.NumberFormatSymbols_lg; /** * Number formatting symbols for locale ln_AO. * @enum {string} */ goog.i18n.NumberFormatSymbols_ln_AO = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'AOA' }; /** * Number formatting symbols for locale ln_CF. * @enum {string} */ goog.i18n.NumberFormatSymbols_ln_CF = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'XAF' }; /** * Number formatting symbols for locale ln_CG. * @enum {string} */ goog.i18n.NumberFormatSymbols_ln_CG = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'XAF' }; /** * Number formatting symbols for locale lo. * @enum {string} */ goog.i18n.NumberFormatSymbols_lo = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;\u00A4-#,##0.00', DEF_CURRENCY_CODE: 'LAK' }; /** * Number formatting symbols for locale lo_LA. * @enum {string} */ goog.i18n.NumberFormatSymbols_lo_LA = goog.i18n.NumberFormatSymbols_lo; /** * Number formatting symbols for locale lu. * @enum {string} */ goog.i18n.NumberFormatSymbols_lu = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A4', DEF_CURRENCY_CODE: 'CDF' }; /** * Number formatting symbols for locale lu_CD. * @enum {string} */ goog.i18n.NumberFormatSymbols_lu_CD = goog.i18n.NumberFormatSymbols_lu; /** * Number formatting symbols for locale luo. * @enum {string} */ goog.i18n.NumberFormatSymbols_luo = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A4', DEF_CURRENCY_CODE: 'KES' }; /** * Number formatting symbols for locale luo_KE. * @enum {string} */ goog.i18n.NumberFormatSymbols_luo_KE = goog.i18n.NumberFormatSymbols_luo; /** * Number formatting symbols for locale luy. * @enum {string} */ goog.i18n.NumberFormatSymbols_luy = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;\u00A4-\u00A0#,##0.00', DEF_CURRENCY_CODE: 'KES' }; /** * Number formatting symbols for locale luy_KE. * @enum {string} */ goog.i18n.NumberFormatSymbols_luy_KE = goog.i18n.NumberFormatSymbols_luy; /** * Number formatting symbols for locale mas. * @enum {string} */ goog.i18n.NumberFormatSymbols_mas = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'KES' }; /** * Number formatting symbols for locale mas_KE. * @enum {string} */ goog.i18n.NumberFormatSymbols_mas_KE = goog.i18n.NumberFormatSymbols_mas; /** * Number formatting symbols for locale mas_TZ. * @enum {string} */ goog.i18n.NumberFormatSymbols_mas_TZ = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'TZS' }; /** * Number formatting symbols for locale mer. * @enum {string} */ goog.i18n.NumberFormatSymbols_mer = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'KES' }; /** * Number formatting symbols for locale mer_KE. * @enum {string} */ goog.i18n.NumberFormatSymbols_mer_KE = goog.i18n.NumberFormatSymbols_mer; /** * Number formatting symbols for locale mfe. * @enum {string} */ goog.i18n.NumberFormatSymbols_mfe = { DECIMAL_SEP: '.', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00', DEF_CURRENCY_CODE: 'MUR' }; /** * Number formatting symbols for locale mfe_MU. * @enum {string} */ goog.i18n.NumberFormatSymbols_mfe_MU = goog.i18n.NumberFormatSymbols_mfe; /** * Number formatting symbols for locale mg. * @enum {string} */ goog.i18n.NumberFormatSymbols_mg = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'MGA' }; /** * Number formatting symbols for locale mg_MG. * @enum {string} */ goog.i18n.NumberFormatSymbols_mg_MG = goog.i18n.NumberFormatSymbols_mg; /** * Number formatting symbols for locale mgh. * @enum {string} */ goog.i18n.NumberFormatSymbols_mgh = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00', DEF_CURRENCY_CODE: 'MZN' }; /** * Number formatting symbols for locale mgh_MZ. * @enum {string} */ goog.i18n.NumberFormatSymbols_mgh_MZ = goog.i18n.NumberFormatSymbols_mgh; /** * Number formatting symbols for locale mgo. * @enum {string} */ goog.i18n.NumberFormatSymbols_mgo = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00', DEF_CURRENCY_CODE: 'XAF' }; /** * Number formatting symbols for locale mgo_CM. * @enum {string} */ goog.i18n.NumberFormatSymbols_mgo_CM = goog.i18n.NumberFormatSymbols_mgo; /** * Number formatting symbols for locale mk. * @enum {string} */ goog.i18n.NumberFormatSymbols_mk = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00', DEF_CURRENCY_CODE: 'MKD' }; /** * Number formatting symbols for locale mk_MK. * @enum {string} */ goog.i18n.NumberFormatSymbols_mk_MK = goog.i18n.NumberFormatSymbols_mk; /** * Number formatting symbols for locale ms_BN. * @enum {string} */ goog.i18n.NumberFormatSymbols_ms_BN = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00', DEF_CURRENCY_CODE: 'BND' }; /** * Number formatting symbols for locale ms_SG. * @enum {string} */ goog.i18n.NumberFormatSymbols_ms_SG = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'SGD' }; /** * Number formatting symbols for locale mua. * @enum {string} */ goog.i18n.NumberFormatSymbols_mua = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'XAF' }; /** * Number formatting symbols for locale mua_CM. * @enum {string} */ goog.i18n.NumberFormatSymbols_mua_CM = goog.i18n.NumberFormatSymbols_mua; /** * Number formatting symbols for locale my. * @enum {string} */ goog.i18n.NumberFormatSymbols_my = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '\u1040', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00', DEF_CURRENCY_CODE: 'MMK' }; /** * Number formatting symbols for locale my_MM. * @enum {string} */ goog.i18n.NumberFormatSymbols_my_MM = goog.i18n.NumberFormatSymbols_my; /** * Number formatting symbols for locale naq. * @enum {string} */ goog.i18n.NumberFormatSymbols_naq = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'NAD' }; /** * Number formatting symbols for locale naq_NA. * @enum {string} */ goog.i18n.NumberFormatSymbols_naq_NA = goog.i18n.NumberFormatSymbols_naq; /** * Number formatting symbols for locale nb. * @enum {string} */ goog.i18n.NumberFormatSymbols_nb = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00', DEF_CURRENCY_CODE: 'NOK' }; /** * Number formatting symbols for locale nb_NO. * @enum {string} */ goog.i18n.NumberFormatSymbols_nb_NO = goog.i18n.NumberFormatSymbols_nb; /** * Number formatting symbols for locale nd. * @enum {string} */ goog.i18n.NumberFormatSymbols_nd = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'USD' }; /** * Number formatting symbols for locale nd_ZW. * @enum {string} */ goog.i18n.NumberFormatSymbols_nd_ZW = goog.i18n.NumberFormatSymbols_nd; /** * Number formatting symbols for locale ne. * @enum {string} */ goog.i18n.NumberFormatSymbols_ne = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00', DEF_CURRENCY_CODE: 'NPR' }; /** * Number formatting symbols for locale ne_IN. * @enum {string} */ goog.i18n.NumberFormatSymbols_ne_IN = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00', DEF_CURRENCY_CODE: 'INR' }; /** * Number formatting symbols for locale ne_NP. * @enum {string} */ goog.i18n.NumberFormatSymbols_ne_NP = goog.i18n.NumberFormatSymbols_ne; /** * Number formatting symbols for locale nl_AW. * @enum {string} */ goog.i18n.NumberFormatSymbols_nl_AW = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00;\u00A4\u00A0#,##0.00-', DEF_CURRENCY_CODE: 'AWG' }; /** * Number formatting symbols for locale nl_BE. * @enum {string} */ goog.i18n.NumberFormatSymbols_nl_BE = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'EUR' }; /** * Number formatting symbols for locale nl_SR. * @enum {string} */ goog.i18n.NumberFormatSymbols_nl_SR = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00;\u00A4\u00A0#,##0.00-', DEF_CURRENCY_CODE: 'SRD' }; /** * Number formatting symbols for locale nmg. * @enum {string} */ goog.i18n.NumberFormatSymbols_nmg = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'XAF' }; /** * Number formatting symbols for locale nmg_CM. * @enum {string} */ goog.i18n.NumberFormatSymbols_nmg_CM = goog.i18n.NumberFormatSymbols_nmg; /** * Number formatting symbols for locale nn. * @enum {string} */ goog.i18n.NumberFormatSymbols_nn = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '\u2212', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'NOK' }; /** * Number formatting symbols for locale nn_NO. * @enum {string} */ goog.i18n.NumberFormatSymbols_nn_NO = goog.i18n.NumberFormatSymbols_nn; /** * Number formatting symbols for locale nnh. * @enum {string} */ goog.i18n.NumberFormatSymbols_nnh = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00', DEF_CURRENCY_CODE: 'XAF' }; /** * Number formatting symbols for locale nnh_CM. * @enum {string} */ goog.i18n.NumberFormatSymbols_nnh_CM = goog.i18n.NumberFormatSymbols_nnh; /** * Number formatting symbols for locale nr. * @enum {string} */ goog.i18n.NumberFormatSymbols_nr = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'ZAR' }; /** * Number formatting symbols for locale nr_ZA. * @enum {string} */ goog.i18n.NumberFormatSymbols_nr_ZA = goog.i18n.NumberFormatSymbols_nr; /** * Number formatting symbols for locale nso. * @enum {string} */ goog.i18n.NumberFormatSymbols_nso = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'ZAR' }; /** * Number formatting symbols for locale nso_ZA. * @enum {string} */ goog.i18n.NumberFormatSymbols_nso_ZA = goog.i18n.NumberFormatSymbols_nso; /** * Number formatting symbols for locale nus. * @enum {string} */ goog.i18n.NumberFormatSymbols_nus = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'SDG' }; /** * Number formatting symbols for locale nus_SD. * @enum {string} */ goog.i18n.NumberFormatSymbols_nus_SD = goog.i18n.NumberFormatSymbols_nus; /** * Number formatting symbols for locale nyn. * @enum {string} */ goog.i18n.NumberFormatSymbols_nyn = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;-#,##0.00\u00A4', DEF_CURRENCY_CODE: 'UGX' }; /** * Number formatting symbols for locale nyn_UG. * @enum {string} */ goog.i18n.NumberFormatSymbols_nyn_UG = goog.i18n.NumberFormatSymbols_nyn; /** * Number formatting symbols for locale om. * @enum {string} */ goog.i18n.NumberFormatSymbols_om = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'ETB' }; /** * Number formatting symbols for locale om_ET. * @enum {string} */ goog.i18n.NumberFormatSymbols_om_ET = goog.i18n.NumberFormatSymbols_om; /** * Number formatting symbols for locale om_KE. * @enum {string} */ goog.i18n.NumberFormatSymbols_om_KE = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'KES' }; /** * Number formatting symbols for locale os. * @enum {string} */ goog.i18n.NumberFormatSymbols_os = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: '\u041D\u041D', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00', DEF_CURRENCY_CODE: 'GEL' }; /** * Number formatting symbols for locale os_GE. * @enum {string} */ goog.i18n.NumberFormatSymbols_os_GE = goog.i18n.NumberFormatSymbols_os; /** * Number formatting symbols for locale os_RU. * @enum {string} */ goog.i18n.NumberFormatSymbols_os_RU = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: '\u041D\u041D', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00', DEF_CURRENCY_CODE: 'RUB' }; /** * Number formatting symbols for locale pa. * @enum {string} */ goog.i18n.NumberFormatSymbols_pa = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##,##0.00', DEF_CURRENCY_CODE: 'INR' }; /** * Number formatting symbols for locale pa_Arab. * @enum {string} */ goog.i18n.NumberFormatSymbols_pa_Arab = { DECIMAL_SEP: '\u066B', GROUP_SEP: '\u066C', PERCENT: '\u066A', ZERO_DIGIT: '\u06F0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: '\u00D7\u06F1\u06F0^', PERMILL: '\u0609', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##,##0.00', DEF_CURRENCY_CODE: 'PKR' }; /** * Number formatting symbols for locale pa_Arab_PK. * @enum {string} */ goog.i18n.NumberFormatSymbols_pa_Arab_PK = goog.i18n.NumberFormatSymbols_pa_Arab; /** * Number formatting symbols for locale pa_Guru. * @enum {string} */ goog.i18n.NumberFormatSymbols_pa_Guru = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##,##0.00', DEF_CURRENCY_CODE: 'EUR' }; /** * Number formatting symbols for locale pa_Guru_IN. * @enum {string} */ goog.i18n.NumberFormatSymbols_pa_Guru_IN = goog.i18n.NumberFormatSymbols_pa; /** * Number formatting symbols for locale ps. * @enum {string} */ goog.i18n.NumberFormatSymbols_ps = { DECIMAL_SEP: '\u066B', GROUP_SEP: '\u066C', PERCENT: '\u066A', ZERO_DIGIT: '\u06F0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: '\u00D7\u06F1\u06F0^', PERMILL: '\u0609', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'AFN' }; /** * Number formatting symbols for locale ps_AF. * @enum {string} */ goog.i18n.NumberFormatSymbols_ps_AF = goog.i18n.NumberFormatSymbols_ps; /** * Number formatting symbols for locale pt_AO. * @enum {string} */ goog.i18n.NumberFormatSymbols_pt_AO = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'AOA' }; /** * Number formatting symbols for locale pt_CV. * @enum {string} */ goog.i18n.NumberFormatSymbols_pt_CV = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'CVE' }; /** * Number formatting symbols for locale pt_GW. * @enum {string} */ goog.i18n.NumberFormatSymbols_pt_GW = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'XOF' }; /** * Number formatting symbols for locale pt_MO. * @enum {string} */ goog.i18n.NumberFormatSymbols_pt_MO = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'MOP' }; /** * Number formatting symbols for locale pt_MZ. * @enum {string} */ goog.i18n.NumberFormatSymbols_pt_MZ = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'MZN' }; /** * Number formatting symbols for locale pt_ST. * @enum {string} */ goog.i18n.NumberFormatSymbols_pt_ST = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'STD' }; /** * Number formatting symbols for locale pt_TL. * @enum {string} */ goog.i18n.NumberFormatSymbols_pt_TL = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'USD' }; /** * Number formatting symbols for locale rm. * @enum {string} */ goog.i18n.NumberFormatSymbols_rm = { DECIMAL_SEP: '.', GROUP_SEP: '\u2019', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '\u2212', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'CHF' }; /** * Number formatting symbols for locale rm_CH. * @enum {string} */ goog.i18n.NumberFormatSymbols_rm_CH = goog.i18n.NumberFormatSymbols_rm; /** * Number formatting symbols for locale rn. * @enum {string} */ goog.i18n.NumberFormatSymbols_rn = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A4', DEF_CURRENCY_CODE: 'BIF' }; /** * Number formatting symbols for locale rn_BI. * @enum {string} */ goog.i18n.NumberFormatSymbols_rn_BI = goog.i18n.NumberFormatSymbols_rn; /** * Number formatting symbols for locale ro_MD. * @enum {string} */ goog.i18n.NumberFormatSymbols_ro_MD = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'MDL' }; /** * Number formatting symbols for locale rof. * @enum {string} */ goog.i18n.NumberFormatSymbols_rof = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'TZS' }; /** * Number formatting symbols for locale rof_TZ. * @enum {string} */ goog.i18n.NumberFormatSymbols_rof_TZ = goog.i18n.NumberFormatSymbols_rof; /** * Number formatting symbols for locale ru_BY. * @enum {string} */ goog.i18n.NumberFormatSymbols_ru_BY = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: '\u043D\u0435\u00A0\u0447\u0438\u0441\u043B\u043E', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'BYR' }; /** * Number formatting symbols for locale ru_KG. * @enum {string} */ goog.i18n.NumberFormatSymbols_ru_KG = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: '\u043D\u0435\u00A0\u0447\u0438\u0441\u043B\u043E', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'KGS' }; /** * Number formatting symbols for locale ru_KZ. * @enum {string} */ goog.i18n.NumberFormatSymbols_ru_KZ = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: '\u043D\u0435\u00A0\u0447\u0438\u0441\u043B\u043E', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'KZT' }; /** * Number formatting symbols for locale ru_MD. * @enum {string} */ goog.i18n.NumberFormatSymbols_ru_MD = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: '\u043D\u0435\u00A0\u0447\u0438\u0441\u043B\u043E', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'MDL' }; /** * Number formatting symbols for locale ru_UA. * @enum {string} */ goog.i18n.NumberFormatSymbols_ru_UA = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: '\u043D\u0435\u00A0\u0447\u0438\u0441\u043B\u043E', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'UAH' }; /** * Number formatting symbols for locale rw. * @enum {string} */ goog.i18n.NumberFormatSymbols_rw = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00', DEF_CURRENCY_CODE: 'RWF' }; /** * Number formatting symbols for locale rw_RW. * @enum {string} */ goog.i18n.NumberFormatSymbols_rw_RW = goog.i18n.NumberFormatSymbols_rw; /** * Number formatting symbols for locale rwk. * @enum {string} */ goog.i18n.NumberFormatSymbols_rwk = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A4', DEF_CURRENCY_CODE: 'TZS' }; /** * Number formatting symbols for locale rwk_TZ. * @enum {string} */ goog.i18n.NumberFormatSymbols_rwk_TZ = goog.i18n.NumberFormatSymbols_rwk; /** * Number formatting symbols for locale sah. * @enum {string} */ goog.i18n.NumberFormatSymbols_sah = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00', DEF_CURRENCY_CODE: 'RUB' }; /** * Number formatting symbols for locale sah_RU. * @enum {string} */ goog.i18n.NumberFormatSymbols_sah_RU = goog.i18n.NumberFormatSymbols_sah; /** * Number formatting symbols for locale saq. * @enum {string} */ goog.i18n.NumberFormatSymbols_saq = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'KES' }; /** * Number formatting symbols for locale saq_KE. * @enum {string} */ goog.i18n.NumberFormatSymbols_saq_KE = goog.i18n.NumberFormatSymbols_saq; /** * Number formatting symbols for locale sbp. * @enum {string} */ goog.i18n.NumberFormatSymbols_sbp = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A4', DEF_CURRENCY_CODE: 'TZS' }; /** * Number formatting symbols for locale sbp_TZ. * @enum {string} */ goog.i18n.NumberFormatSymbols_sbp_TZ = goog.i18n.NumberFormatSymbols_sbp; /** * Number formatting symbols for locale se. * @enum {string} */ goog.i18n.NumberFormatSymbols_se = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '\u2212', EXP_SYMBOL: '\u00D710^', PERMILL: '\u2030', INFINITY: '\u221E', NAN: '\u00A4\u00A4\u00A4', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'NOK' }; /** * Number formatting symbols for locale se_FI. * @enum {string} */ goog.i18n.NumberFormatSymbols_se_FI = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '\u2212', EXP_SYMBOL: '\u00D710^', PERMILL: '\u2030', INFINITY: '\u221E', NAN: '\u00A4\u00A4\u00A4', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'EUR' }; /** * Number formatting symbols for locale se_NO. * @enum {string} */ goog.i18n.NumberFormatSymbols_se_NO = goog.i18n.NumberFormatSymbols_se; /** * Number formatting symbols for locale seh. * @enum {string} */ goog.i18n.NumberFormatSymbols_seh = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A4', DEF_CURRENCY_CODE: 'MZN' }; /** * Number formatting symbols for locale seh_MZ. * @enum {string} */ goog.i18n.NumberFormatSymbols_seh_MZ = goog.i18n.NumberFormatSymbols_seh; /** * Number formatting symbols for locale ses. * @enum {string} */ goog.i18n.NumberFormatSymbols_ses = { DECIMAL_SEP: '.', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A4', DEF_CURRENCY_CODE: 'XOF' }; /** * Number formatting symbols for locale ses_ML. * @enum {string} */ goog.i18n.NumberFormatSymbols_ses_ML = goog.i18n.NumberFormatSymbols_ses; /** * Number formatting symbols for locale sg. * @enum {string} */ goog.i18n.NumberFormatSymbols_sg = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;\u00A4-#,##0.00', DEF_CURRENCY_CODE: 'XAF' }; /** * Number formatting symbols for locale sg_CF. * @enum {string} */ goog.i18n.NumberFormatSymbols_sg_CF = goog.i18n.NumberFormatSymbols_sg; /** * Number formatting symbols for locale shi. * @enum {string} */ goog.i18n.NumberFormatSymbols_shi = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A4', DEF_CURRENCY_CODE: 'MAD' }; /** * Number formatting symbols for locale shi_Latn. * @enum {string} */ goog.i18n.NumberFormatSymbols_shi_Latn = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A4', DEF_CURRENCY_CODE: 'EUR' }; /** * Number formatting symbols for locale shi_Latn_MA. * @enum {string} */ goog.i18n.NumberFormatSymbols_shi_Latn_MA = goog.i18n.NumberFormatSymbols_shi; /** * Number formatting symbols for locale shi_Tfng. * @enum {string} */ goog.i18n.NumberFormatSymbols_shi_Tfng = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A4', DEF_CURRENCY_CODE: 'EUR' }; /** * Number formatting symbols for locale shi_Tfng_MA. * @enum {string} */ goog.i18n.NumberFormatSymbols_shi_Tfng_MA = goog.i18n.NumberFormatSymbols_shi; /** * Number formatting symbols for locale si. * @enum {string} */ goog.i18n.NumberFormatSymbols_si = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##,##0.00', DEF_CURRENCY_CODE: 'LKR' }; /** * Number formatting symbols for locale si_LK. * @enum {string} */ goog.i18n.NumberFormatSymbols_si_LK = goog.i18n.NumberFormatSymbols_si; /** * Number formatting symbols for locale sn. * @enum {string} */ goog.i18n.NumberFormatSymbols_sn = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'USD' }; /** * Number formatting symbols for locale sn_ZW. * @enum {string} */ goog.i18n.NumberFormatSymbols_sn_ZW = goog.i18n.NumberFormatSymbols_sn; /** * Number formatting symbols for locale so. * @enum {string} */ goog.i18n.NumberFormatSymbols_so = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'SOS' }; /** * Number formatting symbols for locale so_DJ. * @enum {string} */ goog.i18n.NumberFormatSymbols_so_DJ = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'DJF' }; /** * Number formatting symbols for locale so_ET. * @enum {string} */ goog.i18n.NumberFormatSymbols_so_ET = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'ETB' }; /** * Number formatting symbols for locale so_KE. * @enum {string} */ goog.i18n.NumberFormatSymbols_so_KE = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'KES' }; /** * Number formatting symbols for locale so_SO. * @enum {string} */ goog.i18n.NumberFormatSymbols_so_SO = goog.i18n.NumberFormatSymbols_so; /** * Number formatting symbols for locale sq_MK. * @enum {string} */ goog.i18n.NumberFormatSymbols_sq_MK = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'MKD' }; /** * Number formatting symbols for locale sr_Cyrl. * @enum {string} */ goog.i18n.NumberFormatSymbols_sr_Cyrl = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'EUR' }; /** * Number formatting symbols for locale sr_Cyrl_BA. * @enum {string} */ goog.i18n.NumberFormatSymbols_sr_Cyrl_BA = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'BAM' }; /** * Number formatting symbols for locale sr_Cyrl_ME. * @enum {string} */ goog.i18n.NumberFormatSymbols_sr_Cyrl_ME = goog.i18n.NumberFormatSymbols_sr_Cyrl; /** * Number formatting symbols for locale sr_Latn. * @enum {string} */ goog.i18n.NumberFormatSymbols_sr_Latn = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'EUR' }; /** * Number formatting symbols for locale sr_Latn_BA. * @enum {string} */ goog.i18n.NumberFormatSymbols_sr_Latn_BA = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'BAM' }; /** * Number formatting symbols for locale sr_Latn_ME. * @enum {string} */ goog.i18n.NumberFormatSymbols_sr_Latn_ME = goog.i18n.NumberFormatSymbols_sr_Latn; /** * Number formatting symbols for locale ss. * @enum {string} */ goog.i18n.NumberFormatSymbols_ss = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'ZAR' }; /** * Number formatting symbols for locale ss_SZ. * @enum {string} */ goog.i18n.NumberFormatSymbols_ss_SZ = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'SZL' }; /** * Number formatting symbols for locale ss_ZA. * @enum {string} */ goog.i18n.NumberFormatSymbols_ss_ZA = goog.i18n.NumberFormatSymbols_ss; /** * Number formatting symbols for locale ssy. * @enum {string} */ goog.i18n.NumberFormatSymbols_ssy = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'ERN' }; /** * Number formatting symbols for locale ssy_ER. * @enum {string} */ goog.i18n.NumberFormatSymbols_ssy_ER = goog.i18n.NumberFormatSymbols_ssy; /** * Number formatting symbols for locale st. * @enum {string} */ goog.i18n.NumberFormatSymbols_st = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'ZAR' }; /** * Number formatting symbols for locale st_LS. * @enum {string} */ goog.i18n.NumberFormatSymbols_st_LS = goog.i18n.NumberFormatSymbols_st; /** * Number formatting symbols for locale st_ZA. * @enum {string} */ goog.i18n.NumberFormatSymbols_st_ZA = goog.i18n.NumberFormatSymbols_st; /** * Number formatting symbols for locale sv_AX. * @enum {string} */ goog.i18n.NumberFormatSymbols_sv_AX = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '\u2212', EXP_SYMBOL: '\u00D710^', PERMILL: '\u2030', INFINITY: '\u221E', NAN: '\u00A4\u00A4\u00A4', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'EUR' }; /** * Number formatting symbols for locale sv_FI. * @enum {string} */ goog.i18n.NumberFormatSymbols_sv_FI = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '\u2212', EXP_SYMBOL: '\u00D710^', PERMILL: '\u2030', INFINITY: '\u221E', NAN: '\u00A4\u00A4\u00A4', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'EUR' }; /** * Number formatting symbols for locale sw_KE. * @enum {string} */ goog.i18n.NumberFormatSymbols_sw_KE = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'KES' }; /** * Number formatting symbols for locale sw_UG. * @enum {string} */ goog.i18n.NumberFormatSymbols_sw_UG = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'UGX' }; /** * Number formatting symbols for locale swc. * @enum {string} */ goog.i18n.NumberFormatSymbols_swc = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'CDF' }; /** * Number formatting symbols for locale swc_CD. * @enum {string} */ goog.i18n.NumberFormatSymbols_swc_CD = goog.i18n.NumberFormatSymbols_swc; /** * Number formatting symbols for locale ta_LK. * @enum {string} */ goog.i18n.NumberFormatSymbols_ta_LK = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##,##0.00', DEF_CURRENCY_CODE: 'LKR' }; /** * Number formatting symbols for locale ta_MY. * @enum {string} */ goog.i18n.NumberFormatSymbols_ta_MY = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00', DEF_CURRENCY_CODE: 'MYR' }; /** * Number formatting symbols for locale ta_SG. * @enum {string} */ goog.i18n.NumberFormatSymbols_ta_SG = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00', DEF_CURRENCY_CODE: 'SGD' }; /** * Number formatting symbols for locale teo. * @enum {string} */ goog.i18n.NumberFormatSymbols_teo = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'UGX' }; /** * Number formatting symbols for locale teo_KE. * @enum {string} */ goog.i18n.NumberFormatSymbols_teo_KE = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'KES' }; /** * Number formatting symbols for locale teo_UG. * @enum {string} */ goog.i18n.NumberFormatSymbols_teo_UG = goog.i18n.NumberFormatSymbols_teo; /** * Number formatting symbols for locale tg. * @enum {string} */ goog.i18n.NumberFormatSymbols_tg = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00', DEF_CURRENCY_CODE: 'TJS' }; /** * Number formatting symbols for locale tg_Cyrl. * @enum {string} */ goog.i18n.NumberFormatSymbols_tg_Cyrl = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00', DEF_CURRENCY_CODE: 'EUR' }; /** * Number formatting symbols for locale tg_Cyrl_TJ. * @enum {string} */ goog.i18n.NumberFormatSymbols_tg_Cyrl_TJ = goog.i18n.NumberFormatSymbols_tg; /** * Number formatting symbols for locale ti. * @enum {string} */ goog.i18n.NumberFormatSymbols_ti = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'ETB' }; /** * Number formatting symbols for locale ti_ER. * @enum {string} */ goog.i18n.NumberFormatSymbols_ti_ER = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'ERN' }; /** * Number formatting symbols for locale ti_ET. * @enum {string} */ goog.i18n.NumberFormatSymbols_ti_ET = goog.i18n.NumberFormatSymbols_ti; /** * Number formatting symbols for locale tig. * @enum {string} */ goog.i18n.NumberFormatSymbols_tig = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'ERN' }; /** * Number formatting symbols for locale tig_ER. * @enum {string} */ goog.i18n.NumberFormatSymbols_tig_ER = goog.i18n.NumberFormatSymbols_tig; /** * Number formatting symbols for locale tn. * @enum {string} */ goog.i18n.NumberFormatSymbols_tn = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'ZAR' }; /** * Number formatting symbols for locale tn_BW. * @enum {string} */ goog.i18n.NumberFormatSymbols_tn_BW = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'BWP' }; /** * Number formatting symbols for locale tn_ZA. * @enum {string} */ goog.i18n.NumberFormatSymbols_tn_ZA = goog.i18n.NumberFormatSymbols_tn; /** * Number formatting symbols for locale to. * @enum {string} */ goog.i18n.NumberFormatSymbols_to = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '\u200E#0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00', DEF_CURRENCY_CODE: 'TOP' }; /** * Number formatting symbols for locale to_TO. * @enum {string} */ goog.i18n.NumberFormatSymbols_to_TO = goog.i18n.NumberFormatSymbols_to; /** * Number formatting symbols for locale tr_CY. * @enum {string} */ goog.i18n.NumberFormatSymbols_tr_CY = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '%#,##0', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4;(#,##0.00\u00A0\u00A4)', DEF_CURRENCY_CODE: 'EUR' }; /** * Number formatting symbols for locale ts. * @enum {string} */ goog.i18n.NumberFormatSymbols_ts = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'ZAR' }; /** * Number formatting symbols for locale ts_ZA. * @enum {string} */ goog.i18n.NumberFormatSymbols_ts_ZA = goog.i18n.NumberFormatSymbols_ts; /** * Number formatting symbols for locale twq. * @enum {string} */ goog.i18n.NumberFormatSymbols_twq = { DECIMAL_SEP: '.', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A4', DEF_CURRENCY_CODE: 'XOF' }; /** * Number formatting symbols for locale twq_NE. * @enum {string} */ goog.i18n.NumberFormatSymbols_twq_NE = goog.i18n.NumberFormatSymbols_twq; /** * Number formatting symbols for locale tzm. * @enum {string} */ goog.i18n.NumberFormatSymbols_tzm = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'MAD' }; /** * Number formatting symbols for locale tzm_Latn. * @enum {string} */ goog.i18n.NumberFormatSymbols_tzm_Latn = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'EUR' }; /** * Number formatting symbols for locale tzm_Latn_MA. * @enum {string} */ goog.i18n.NumberFormatSymbols_tzm_Latn_MA = goog.i18n.NumberFormatSymbols_tzm; /** * Number formatting symbols for locale ur_IN. * @enum {string} */ goog.i18n.NumberFormatSymbols_ur_IN = { DECIMAL_SEP: '\u066B', GROUP_SEP: '\u066C', PERCENT: '\u066A', ZERO_DIGIT: '\u06F0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: '\u00D7\u06F1\u06F0^', PERMILL: '\u0609', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##,##0.00', DEF_CURRENCY_CODE: 'INR' }; /** * Number formatting symbols for locale uz. * @enum {string} */ goog.i18n.NumberFormatSymbols_uz = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00', DEF_CURRENCY_CODE: 'UZS' }; /** * Number formatting symbols for locale uz_Arab. * @enum {string} */ goog.i18n.NumberFormatSymbols_uz_Arab = { DECIMAL_SEP: '\u066B', GROUP_SEP: '\u066C', PERCENT: '\u066A', ZERO_DIGIT: '\u06F0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: '\u00D7\u06F1\u06F0^', PERMILL: '\u0609', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'AFN' }; /** * Number formatting symbols for locale uz_Arab_AF. * @enum {string} */ goog.i18n.NumberFormatSymbols_uz_Arab_AF = goog.i18n.NumberFormatSymbols_uz_Arab; /** * Number formatting symbols for locale uz_Cyrl. * @enum {string} */ goog.i18n.NumberFormatSymbols_uz_Cyrl = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00', DEF_CURRENCY_CODE: 'EUR' }; /** * Number formatting symbols for locale uz_Cyrl_UZ. * @enum {string} */ goog.i18n.NumberFormatSymbols_uz_Cyrl_UZ = goog.i18n.NumberFormatSymbols_uz; /** * Number formatting symbols for locale uz_Latn. * @enum {string} */ goog.i18n.NumberFormatSymbols_uz_Latn = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00', DEF_CURRENCY_CODE: 'EUR' }; /** * Number formatting symbols for locale uz_Latn_UZ. * @enum {string} */ goog.i18n.NumberFormatSymbols_uz_Latn_UZ = goog.i18n.NumberFormatSymbols_uz; /** * Number formatting symbols for locale vai. * @enum {string} */ goog.i18n.NumberFormatSymbols_vai = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'LRD' }; /** * Number formatting symbols for locale vai_Latn. * @enum {string} */ goog.i18n.NumberFormatSymbols_vai_Latn = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'EUR' }; /** * Number formatting symbols for locale vai_Latn_LR. * @enum {string} */ goog.i18n.NumberFormatSymbols_vai_Latn_LR = goog.i18n.NumberFormatSymbols_vai; /** * Number formatting symbols for locale vai_Vaii. * @enum {string} */ goog.i18n.NumberFormatSymbols_vai_Vaii = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'EUR' }; /** * Number formatting symbols for locale vai_Vaii_LR. * @enum {string} */ goog.i18n.NumberFormatSymbols_vai_Vaii_LR = goog.i18n.NumberFormatSymbols_vai; /** * Number formatting symbols for locale ve. * @enum {string} */ goog.i18n.NumberFormatSymbols_ve = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'ZAR' }; /** * Number formatting symbols for locale ve_ZA. * @enum {string} */ goog.i18n.NumberFormatSymbols_ve_ZA = goog.i18n.NumberFormatSymbols_ve; /** * Number formatting symbols for locale vo. * @enum {string} */ goog.i18n.NumberFormatSymbols_vo = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00', DEF_CURRENCY_CODE: 'USD' }; /** * Number formatting symbols for locale vun. * @enum {string} */ goog.i18n.NumberFormatSymbols_vun = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'TZS' }; /** * Number formatting symbols for locale vun_TZ. * @enum {string} */ goog.i18n.NumberFormatSymbols_vun_TZ = goog.i18n.NumberFormatSymbols_vun; /** * Number formatting symbols for locale wae. * @enum {string} */ goog.i18n.NumberFormatSymbols_wae = { DECIMAL_SEP: ',', GROUP_SEP: '\u2019', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00', DEF_CURRENCY_CODE: 'CHF' }; /** * Number formatting symbols for locale wae_CH. * @enum {string} */ goog.i18n.NumberFormatSymbols_wae_CH = goog.i18n.NumberFormatSymbols_wae; /** * Number formatting symbols for locale wal. * @enum {string} */ goog.i18n.NumberFormatSymbols_wal = { DECIMAL_SEP: '.', GROUP_SEP: '\u2019', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'ETB' }; /** * Number formatting symbols for locale wal_ET. * @enum {string} */ goog.i18n.NumberFormatSymbols_wal_ET = goog.i18n.NumberFormatSymbols_wal; /** * Number formatting symbols for locale xh. * @enum {string} */ goog.i18n.NumberFormatSymbols_xh = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'ZAR' }; /** * Number formatting symbols for locale xh_ZA. * @enum {string} */ goog.i18n.NumberFormatSymbols_xh_ZA = goog.i18n.NumberFormatSymbols_xh; /** * Number formatting symbols for locale xog. * @enum {string} */ goog.i18n.NumberFormatSymbols_xog = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'UGX' }; /** * Number formatting symbols for locale xog_UG. * @enum {string} */ goog.i18n.NumberFormatSymbols_xog_UG = goog.i18n.NumberFormatSymbols_xog; /** * Number formatting symbols for locale yav. * @enum {string} */ goog.i18n.NumberFormatSymbols_yav = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4;(#,##0.00\u00A0\u00A4)', DEF_CURRENCY_CODE: 'XAF' }; /** * Number formatting symbols for locale yav_CM. * @enum {string} */ goog.i18n.NumberFormatSymbols_yav_CM = goog.i18n.NumberFormatSymbols_yav; /** * Number formatting symbols for locale yo. * @enum {string} */ goog.i18n.NumberFormatSymbols_yo = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'NGN' }; /** * Number formatting symbols for locale yo_NG. * @enum {string} */ goog.i18n.NumberFormatSymbols_yo_NG = goog.i18n.NumberFormatSymbols_yo; /** * Number formatting symbols for locale zh_Hans. * @enum {string} */ goog.i18n.NumberFormatSymbols_zh_Hans = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'EUR' }; /** * Number formatting symbols for locale zh_Hans_HK. * @enum {string} */ goog.i18n.NumberFormatSymbols_zh_Hans_HK = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'HKD' }; /** * Number formatting symbols for locale zh_Hans_MO. * @enum {string} */ goog.i18n.NumberFormatSymbols_zh_Hans_MO = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'MOP' }; /** * Number formatting symbols for locale zh_Hans_SG. * @enum {string} */ goog.i18n.NumberFormatSymbols_zh_Hans_SG = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'SGD' }; /** * Number formatting symbols for locale zh_Hant. * @enum {string} */ goog.i18n.NumberFormatSymbols_zh_Hant = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: '\u975E\u6578\u503C', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'TWD' }; /** * Number formatting symbols for locale zh_Hant_HK. * @enum {string} */ goog.i18n.NumberFormatSymbols_zh_Hant_HK = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: '\u975E\u6578\u503C', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'HKD' }; /** * Number formatting symbols for locale zh_Hant_MO. * @enum {string} */ goog.i18n.NumberFormatSymbols_zh_Hant_MO = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: '\u975E\u6578\u503C', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'MOP' }; /** * Number formatting symbols for locale zh_Hant_TW. * @enum {string} */ goog.i18n.NumberFormatSymbols_zh_Hant_TW = goog.i18n.NumberFormatSymbols_zh_Hant; /** * Selected number formatting symbols by locale. */ if (goog.LOCALE == 'aa') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_aa; } if (goog.LOCALE == 'aa_DJ' || goog.LOCALE == 'aa-DJ') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_aa_DJ; } if (goog.LOCALE == 'aa_ER' || goog.LOCALE == 'aa-ER') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_aa_ER; } if (goog.LOCALE == 'aa_ET' || goog.LOCALE == 'aa-ET') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_aa; } if (goog.LOCALE == 'af_NA' || goog.LOCALE == 'af-NA') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_af_NA; } if (goog.LOCALE == 'agq') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_agq; } if (goog.LOCALE == 'agq_CM' || goog.LOCALE == 'agq-CM') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_agq; } if (goog.LOCALE == 'ak') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ak; } if (goog.LOCALE == 'ak_GH' || goog.LOCALE == 'ak-GH') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ak; } if (goog.LOCALE == 'ar_AE' || goog.LOCALE == 'ar-AE') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ar_AE; } if (goog.LOCALE == 'ar_BH' || goog.LOCALE == 'ar-BH') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ar_BH; } if (goog.LOCALE == 'ar_DJ' || goog.LOCALE == 'ar-DJ') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ar_DJ; } if (goog.LOCALE == 'ar_DZ' || goog.LOCALE == 'ar-DZ') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ar_DZ; } if (goog.LOCALE == 'ar_EH' || goog.LOCALE == 'ar-EH') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ar_EH; } if (goog.LOCALE == 'ar_ER' || goog.LOCALE == 'ar-ER') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ar_ER; } if (goog.LOCALE == 'ar_IL' || goog.LOCALE == 'ar-IL') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ar_IL; } if (goog.LOCALE == 'ar_IQ' || goog.LOCALE == 'ar-IQ') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ar_IQ; } if (goog.LOCALE == 'ar_JO' || goog.LOCALE == 'ar-JO') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ar_JO; } if (goog.LOCALE == 'ar_KM' || goog.LOCALE == 'ar-KM') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ar_KM; } if (goog.LOCALE == 'ar_KW' || goog.LOCALE == 'ar-KW') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ar_KW; } if (goog.LOCALE == 'ar_LB' || goog.LOCALE == 'ar-LB') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ar_LB; } if (goog.LOCALE == 'ar_LY' || goog.LOCALE == 'ar-LY') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ar_LY; } if (goog.LOCALE == 'ar_MA' || goog.LOCALE == 'ar-MA') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ar_MA; } if (goog.LOCALE == 'ar_MR' || goog.LOCALE == 'ar-MR') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ar_MR; } if (goog.LOCALE == 'ar_OM' || goog.LOCALE == 'ar-OM') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ar_OM; } if (goog.LOCALE == 'ar_PS' || goog.LOCALE == 'ar-PS') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ar_PS; } if (goog.LOCALE == 'ar_QA' || goog.LOCALE == 'ar-QA') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ar_QA; } if (goog.LOCALE == 'ar_SA' || goog.LOCALE == 'ar-SA') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ar_SA; } if (goog.LOCALE == 'ar_SD' || goog.LOCALE == 'ar-SD') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ar_SD; } if (goog.LOCALE == 'ar_SO' || goog.LOCALE == 'ar-SO') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ar_SO; } if (goog.LOCALE == 'ar_SY' || goog.LOCALE == 'ar-SY') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ar_SY; } if (goog.LOCALE == 'ar_TD' || goog.LOCALE == 'ar-TD') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ar_TD; } if (goog.LOCALE == 'ar_TN' || goog.LOCALE == 'ar-TN') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ar_TN; } if (goog.LOCALE == 'ar_YE' || goog.LOCALE == 'ar-YE') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ar_YE; } if (goog.LOCALE == 'as') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_as; } if (goog.LOCALE == 'as_IN' || goog.LOCALE == 'as-IN') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_as; } if (goog.LOCALE == 'asa') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_asa; } if (goog.LOCALE == 'asa_TZ' || goog.LOCALE == 'asa-TZ') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_asa; } if (goog.LOCALE == 'ast') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ast; } if (goog.LOCALE == 'ast_ES' || goog.LOCALE == 'ast-ES') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ast; } if (goog.LOCALE == 'az') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_az; } if (goog.LOCALE == 'az_Cyrl' || goog.LOCALE == 'az-Cyrl') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_az_Cyrl; } if (goog.LOCALE == 'az_Cyrl_AZ' || goog.LOCALE == 'az-Cyrl-AZ') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_az; } if (goog.LOCALE == 'az_Latn' || goog.LOCALE == 'az-Latn') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_az_Latn; } if (goog.LOCALE == 'az_Latn_AZ' || goog.LOCALE == 'az-Latn-AZ') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_az; } if (goog.LOCALE == 'bas') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_bas; } if (goog.LOCALE == 'bas_CM' || goog.LOCALE == 'bas-CM') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_bas; } if (goog.LOCALE == 'be') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_be; } if (goog.LOCALE == 'be_BY' || goog.LOCALE == 'be-BY') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_be; } if (goog.LOCALE == 'bem') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_bem; } if (goog.LOCALE == 'bem_ZM' || goog.LOCALE == 'bem-ZM') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_bem; } if (goog.LOCALE == 'bez') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_bez; } if (goog.LOCALE == 'bez_TZ' || goog.LOCALE == 'bez-TZ') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_bez; } if (goog.LOCALE == 'bm') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_bm; } if (goog.LOCALE == 'bm_ML' || goog.LOCALE == 'bm-ML') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_bm; } if (goog.LOCALE == 'bn_IN' || goog.LOCALE == 'bn-IN') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_bn_IN; } if (goog.LOCALE == 'bo') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_bo; } if (goog.LOCALE == 'bo_CN' || goog.LOCALE == 'bo-CN') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_bo; } if (goog.LOCALE == 'bo_IN' || goog.LOCALE == 'bo-IN') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_bo_IN; } if (goog.LOCALE == 'br') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_br; } if (goog.LOCALE == 'br_FR' || goog.LOCALE == 'br-FR') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_br; } if (goog.LOCALE == 'brx') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_brx; } if (goog.LOCALE == 'brx_IN' || goog.LOCALE == 'brx-IN') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_brx; } if (goog.LOCALE == 'bs') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_bs; } if (goog.LOCALE == 'bs_Cyrl' || goog.LOCALE == 'bs-Cyrl') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_bs_Cyrl; } if (goog.LOCALE == 'bs_Cyrl_BA' || goog.LOCALE == 'bs-Cyrl-BA') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_bs_Cyrl_BA; } if (goog.LOCALE == 'bs_Latn' || goog.LOCALE == 'bs-Latn') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_bs_Latn; } if (goog.LOCALE == 'bs_Latn_BA' || goog.LOCALE == 'bs-Latn-BA') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_bs; } if (goog.LOCALE == 'byn') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_byn; } if (goog.LOCALE == 'byn_ER' || goog.LOCALE == 'byn-ER') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_byn; } if (goog.LOCALE == 'cgg') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_cgg; } if (goog.LOCALE == 'cgg_UG' || goog.LOCALE == 'cgg-UG') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_cgg; } if (goog.LOCALE == 'chr') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_chr; } if (goog.LOCALE == 'chr_US' || goog.LOCALE == 'chr-US') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_chr; } if (goog.LOCALE == 'ckb') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ckb; } if (goog.LOCALE == 'ckb_Arab' || goog.LOCALE == 'ckb-Arab') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ckb_Arab; } if (goog.LOCALE == 'ckb_Arab_IQ' || goog.LOCALE == 'ckb-Arab-IQ') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ckb; } if (goog.LOCALE == 'ckb_Arab_IR' || goog.LOCALE == 'ckb-Arab-IR') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ckb_Arab_IR; } if (goog.LOCALE == 'ckb_IQ' || goog.LOCALE == 'ckb-IQ') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ckb; } if (goog.LOCALE == 'ckb_IR' || goog.LOCALE == 'ckb-IR') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ckb_IR; } if (goog.LOCALE == 'ckb_Latn' || goog.LOCALE == 'ckb-Latn') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ckb_Latn; } if (goog.LOCALE == 'ckb_Latn_IQ' || goog.LOCALE == 'ckb-Latn-IQ') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ckb; } if (goog.LOCALE == 'cy') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_cy; } if (goog.LOCALE == 'cy_GB' || goog.LOCALE == 'cy-GB') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_cy; } if (goog.LOCALE == 'dav') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_dav; } if (goog.LOCALE == 'dav_KE' || goog.LOCALE == 'dav-KE') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_dav; } if (goog.LOCALE == 'de_LI' || goog.LOCALE == 'de-LI') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_de_LI; } if (goog.LOCALE == 'dje') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_dje; } if (goog.LOCALE == 'dje_NE' || goog.LOCALE == 'dje-NE') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_dje; } if (goog.LOCALE == 'dua') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_dua; } if (goog.LOCALE == 'dua_CM' || goog.LOCALE == 'dua-CM') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_dua; } if (goog.LOCALE == 'dyo') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_dyo; } if (goog.LOCALE == 'dyo_SN' || goog.LOCALE == 'dyo-SN') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_dyo; } if (goog.LOCALE == 'dz') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_dz; } if (goog.LOCALE == 'dz_BT' || goog.LOCALE == 'dz-BT') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_dz; } if (goog.LOCALE == 'ebu') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ebu; } if (goog.LOCALE == 'ebu_KE' || goog.LOCALE == 'ebu-KE') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ebu; } if (goog.LOCALE == 'ee') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ee; } if (goog.LOCALE == 'ee_GH' || goog.LOCALE == 'ee-GH') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ee; } if (goog.LOCALE == 'ee_TG' || goog.LOCALE == 'ee-TG') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ee_TG; } if (goog.LOCALE == 'el_CY' || goog.LOCALE == 'el-CY') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_el_CY; } if (goog.LOCALE == 'en_150' || goog.LOCALE == 'en-150') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_150; } if (goog.LOCALE == 'en_AG' || goog.LOCALE == 'en-AG') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_AG; } if (goog.LOCALE == 'en_BB' || goog.LOCALE == 'en-BB') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_BB; } if (goog.LOCALE == 'en_BE' || goog.LOCALE == 'en-BE') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_BE; } if (goog.LOCALE == 'en_BM' || goog.LOCALE == 'en-BM') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_BM; } if (goog.LOCALE == 'en_BS' || goog.LOCALE == 'en-BS') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_BS; } if (goog.LOCALE == 'en_BW' || goog.LOCALE == 'en-BW') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_BW; } if (goog.LOCALE == 'en_BZ' || goog.LOCALE == 'en-BZ') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_BZ; } if (goog.LOCALE == 'en_CA' || goog.LOCALE == 'en-CA') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_CA; } if (goog.LOCALE == 'en_CM' || goog.LOCALE == 'en-CM') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_CM; } if (goog.LOCALE == 'en_DM' || goog.LOCALE == 'en-DM') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_DM; } if (goog.LOCALE == 'en_Dsrt' || goog.LOCALE == 'en-Dsrt') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_Dsrt; } if (goog.LOCALE == 'en_FJ' || goog.LOCALE == 'en-FJ') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_FJ; } if (goog.LOCALE == 'en_GD' || goog.LOCALE == 'en-GD') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_GD; } if (goog.LOCALE == 'en_GG' || goog.LOCALE == 'en-GG') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_GG; } if (goog.LOCALE == 'en_GH' || goog.LOCALE == 'en-GH') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_GH; } if (goog.LOCALE == 'en_GI' || goog.LOCALE == 'en-GI') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_GI; } if (goog.LOCALE == 'en_GM' || goog.LOCALE == 'en-GM') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_GM; } if (goog.LOCALE == 'en_GY' || goog.LOCALE == 'en-GY') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_GY; } if (goog.LOCALE == 'en_HK' || goog.LOCALE == 'en-HK') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_HK; } if (goog.LOCALE == 'en_IM' || goog.LOCALE == 'en-IM') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_IM; } if (goog.LOCALE == 'en_JE' || goog.LOCALE == 'en-JE') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_JE; } if (goog.LOCALE == 'en_JM' || goog.LOCALE == 'en-JM') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_JM; } if (goog.LOCALE == 'en_KE' || goog.LOCALE == 'en-KE') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_KE; } if (goog.LOCALE == 'en_KI' || goog.LOCALE == 'en-KI') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_KI; } if (goog.LOCALE == 'en_KN' || goog.LOCALE == 'en-KN') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_KN; } if (goog.LOCALE == 'en_KY' || goog.LOCALE == 'en-KY') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_KY; } if (goog.LOCALE == 'en_LC' || goog.LOCALE == 'en-LC') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_LC; } if (goog.LOCALE == 'en_LR' || goog.LOCALE == 'en-LR') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_LR; } if (goog.LOCALE == 'en_LS' || goog.LOCALE == 'en-LS') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_LS; } if (goog.LOCALE == 'en_MG' || goog.LOCALE == 'en-MG') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_MG; } if (goog.LOCALE == 'en_MT' || goog.LOCALE == 'en-MT') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_MT; } if (goog.LOCALE == 'en_MU' || goog.LOCALE == 'en-MU') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_MU; } if (goog.LOCALE == 'en_MW' || goog.LOCALE == 'en-MW') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_MW; } if (goog.LOCALE == 'en_NA' || goog.LOCALE == 'en-NA') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_NA; } if (goog.LOCALE == 'en_NG' || goog.LOCALE == 'en-NG') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_NG; } if (goog.LOCALE == 'en_NZ' || goog.LOCALE == 'en-NZ') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_NZ; } if (goog.LOCALE == 'en_PG' || goog.LOCALE == 'en-PG') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_PG; } if (goog.LOCALE == 'en_PH' || goog.LOCALE == 'en-PH') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_PH; } if (goog.LOCALE == 'en_PK' || goog.LOCALE == 'en-PK') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_PK; } if (goog.LOCALE == 'en_SB' || goog.LOCALE == 'en-SB') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_SB; } if (goog.LOCALE == 'en_SC' || goog.LOCALE == 'en-SC') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_SC; } if (goog.LOCALE == 'en_SL' || goog.LOCALE == 'en-SL') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_SL; } if (goog.LOCALE == 'en_SS' || goog.LOCALE == 'en-SS') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_SS; } if (goog.LOCALE == 'en_SZ' || goog.LOCALE == 'en-SZ') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_SZ; } if (goog.LOCALE == 'en_TO' || goog.LOCALE == 'en-TO') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_TO; } if (goog.LOCALE == 'en_TT' || goog.LOCALE == 'en-TT') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_TT; } if (goog.LOCALE == 'en_TZ' || goog.LOCALE == 'en-TZ') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_TZ; } if (goog.LOCALE == 'en_UG' || goog.LOCALE == 'en-UG') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_UG; } if (goog.LOCALE == 'en_VC' || goog.LOCALE == 'en-VC') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_VC; } if (goog.LOCALE == 'en_VU' || goog.LOCALE == 'en-VU') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_VU; } if (goog.LOCALE == 'en_WS' || goog.LOCALE == 'en-WS') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_WS; } if (goog.LOCALE == 'en_ZM' || goog.LOCALE == 'en-ZM') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_ZM; } if (goog.LOCALE == 'en_ZW' || goog.LOCALE == 'en-ZW') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_ZW; } if (goog.LOCALE == 'eo') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_eo; } if (goog.LOCALE == 'es_AR' || goog.LOCALE == 'es-AR') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_es_AR; } if (goog.LOCALE == 'es_BO' || goog.LOCALE == 'es-BO') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_es_BO; } if (goog.LOCALE == 'es_CL' || goog.LOCALE == 'es-CL') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_es_CL; } if (goog.LOCALE == 'es_CO' || goog.LOCALE == 'es-CO') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_es_CO; } if (goog.LOCALE == 'es_CR' || goog.LOCALE == 'es-CR') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_es_CR; } if (goog.LOCALE == 'es_CU' || goog.LOCALE == 'es-CU') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_es_CU; } if (goog.LOCALE == 'es_DO' || goog.LOCALE == 'es-DO') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_es_DO; } if (goog.LOCALE == 'es_EC' || goog.LOCALE == 'es-EC') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_es_EC; } if (goog.LOCALE == 'es_GQ' || goog.LOCALE == 'es-GQ') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_es_GQ; } if (goog.LOCALE == 'es_GT' || goog.LOCALE == 'es-GT') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_es_GT; } if (goog.LOCALE == 'es_HN' || goog.LOCALE == 'es-HN') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_es_HN; } if (goog.LOCALE == 'es_MX' || goog.LOCALE == 'es-MX') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_es_MX; } if (goog.LOCALE == 'es_NI' || goog.LOCALE == 'es-NI') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_es_NI; } if (goog.LOCALE == 'es_PA' || goog.LOCALE == 'es-PA') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_es_PA; } if (goog.LOCALE == 'es_PE' || goog.LOCALE == 'es-PE') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_es_PE; } if (goog.LOCALE == 'es_PH' || goog.LOCALE == 'es-PH') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_es_PH; } if (goog.LOCALE == 'es_PR' || goog.LOCALE == 'es-PR') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_es_PR; } if (goog.LOCALE == 'es_PY' || goog.LOCALE == 'es-PY') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_es_PY; } if (goog.LOCALE == 'es_SV' || goog.LOCALE == 'es-SV') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_es_SV; } if (goog.LOCALE == 'es_US' || goog.LOCALE == 'es-US') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_es_US; } if (goog.LOCALE == 'es_UY' || goog.LOCALE == 'es-UY') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_es_UY; } if (goog.LOCALE == 'es_VE' || goog.LOCALE == 'es-VE') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_es_VE; } if (goog.LOCALE == 'ewo') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ewo; } if (goog.LOCALE == 'ewo_CM' || goog.LOCALE == 'ewo-CM') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ewo; } if (goog.LOCALE == 'fa_AF' || goog.LOCALE == 'fa-AF') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fa_AF; } if (goog.LOCALE == 'ff') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ff; } if (goog.LOCALE == 'ff_SN' || goog.LOCALE == 'ff-SN') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ff; } if (goog.LOCALE == 'fo') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fo; } if (goog.LOCALE == 'fo_FO' || goog.LOCALE == 'fo-FO') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fo; } if (goog.LOCALE == 'fr_BE' || goog.LOCALE == 'fr-BE') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fr_BE; } if (goog.LOCALE == 'fr_BF' || goog.LOCALE == 'fr-BF') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fr_BF; } if (goog.LOCALE == 'fr_BI' || goog.LOCALE == 'fr-BI') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fr_BI; } if (goog.LOCALE == 'fr_BJ' || goog.LOCALE == 'fr-BJ') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fr_BJ; } if (goog.LOCALE == 'fr_CD' || goog.LOCALE == 'fr-CD') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fr_CD; } if (goog.LOCALE == 'fr_CF' || goog.LOCALE == 'fr-CF') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fr_CF; } if (goog.LOCALE == 'fr_CG' || goog.LOCALE == 'fr-CG') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fr_CG; } if (goog.LOCALE == 'fr_CH' || goog.LOCALE == 'fr-CH') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fr_CH; } if (goog.LOCALE == 'fr_CI' || goog.LOCALE == 'fr-CI') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fr_CI; } if (goog.LOCALE == 'fr_CM' || goog.LOCALE == 'fr-CM') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fr_CM; } if (goog.LOCALE == 'fr_DJ' || goog.LOCALE == 'fr-DJ') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fr_DJ; } if (goog.LOCALE == 'fr_DZ' || goog.LOCALE == 'fr-DZ') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fr_DZ; } if (goog.LOCALE == 'fr_GA' || goog.LOCALE == 'fr-GA') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fr_GA; } if (goog.LOCALE == 'fr_GN' || goog.LOCALE == 'fr-GN') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fr_GN; } if (goog.LOCALE == 'fr_GQ' || goog.LOCALE == 'fr-GQ') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fr_GQ; } if (goog.LOCALE == 'fr_HT' || goog.LOCALE == 'fr-HT') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fr_HT; } if (goog.LOCALE == 'fr_KM' || goog.LOCALE == 'fr-KM') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fr_KM; } if (goog.LOCALE == 'fr_LU' || goog.LOCALE == 'fr-LU') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fr_LU; } if (goog.LOCALE == 'fr_MA' || goog.LOCALE == 'fr-MA') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fr_MA; } if (goog.LOCALE == 'fr_MG' || goog.LOCALE == 'fr-MG') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fr_MG; } if (goog.LOCALE == 'fr_ML' || goog.LOCALE == 'fr-ML') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fr_ML; } if (goog.LOCALE == 'fr_MR' || goog.LOCALE == 'fr-MR') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fr_MR; } if (goog.LOCALE == 'fr_MU' || goog.LOCALE == 'fr-MU') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fr_MU; } if (goog.LOCALE == 'fr_NC' || goog.LOCALE == 'fr-NC') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fr_NC; } if (goog.LOCALE == 'fr_NE' || goog.LOCALE == 'fr-NE') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fr_NE; } if (goog.LOCALE == 'fr_PF' || goog.LOCALE == 'fr-PF') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fr_PF; } if (goog.LOCALE == 'fr_RW' || goog.LOCALE == 'fr-RW') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fr_RW; } if (goog.LOCALE == 'fr_SC' || goog.LOCALE == 'fr-SC') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fr_SC; } if (goog.LOCALE == 'fr_SN' || goog.LOCALE == 'fr-SN') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fr_SN; } if (goog.LOCALE == 'fr_SY' || goog.LOCALE == 'fr-SY') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fr_SY; } if (goog.LOCALE == 'fr_TD' || goog.LOCALE == 'fr-TD') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fr_TD; } if (goog.LOCALE == 'fr_TG' || goog.LOCALE == 'fr-TG') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fr_TG; } if (goog.LOCALE == 'fr_TN' || goog.LOCALE == 'fr-TN') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fr_TN; } if (goog.LOCALE == 'fr_VU' || goog.LOCALE == 'fr-VU') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fr_VU; } if (goog.LOCALE == 'fur') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fur; } if (goog.LOCALE == 'fur_IT' || goog.LOCALE == 'fur-IT') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fur; } if (goog.LOCALE == 'ga') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ga; } if (goog.LOCALE == 'ga_IE' || goog.LOCALE == 'ga-IE') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ga; } if (goog.LOCALE == 'gd') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_gd; } if (goog.LOCALE == 'gd_GB' || goog.LOCALE == 'gd-GB') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_gd; } if (goog.LOCALE == 'guz') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_guz; } if (goog.LOCALE == 'guz_KE' || goog.LOCALE == 'guz-KE') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_guz; } if (goog.LOCALE == 'gv') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_gv; } if (goog.LOCALE == 'gv_GB' || goog.LOCALE == 'gv-GB') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_gv; } if (goog.LOCALE == 'ha') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ha; } if (goog.LOCALE == 'ha_Latn' || goog.LOCALE == 'ha-Latn') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ha_Latn; } if (goog.LOCALE == 'ha_Latn_GH' || goog.LOCALE == 'ha-Latn-GH') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ha_Latn_GH; } if (goog.LOCALE == 'ha_Latn_NE' || goog.LOCALE == 'ha-Latn-NE') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ha_Latn_NE; } if (goog.LOCALE == 'ha_Latn_NG' || goog.LOCALE == 'ha-Latn-NG') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ha; } if (goog.LOCALE == 'haw') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_haw; } if (goog.LOCALE == 'haw_US' || goog.LOCALE == 'haw-US') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_haw; } if (goog.LOCALE == 'hr_BA' || goog.LOCALE == 'hr-BA') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_hr_BA; } if (goog.LOCALE == 'hy') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_hy; } if (goog.LOCALE == 'hy_AM' || goog.LOCALE == 'hy-AM') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_hy; } if (goog.LOCALE == 'ia') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ia; } if (goog.LOCALE == 'ig') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ig; } if (goog.LOCALE == 'ig_NG' || goog.LOCALE == 'ig-NG') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ig; } if (goog.LOCALE == 'ii') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ii; } if (goog.LOCALE == 'ii_CN' || goog.LOCALE == 'ii-CN') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ii; } if (goog.LOCALE == 'it_CH' || goog.LOCALE == 'it-CH') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_it_CH; } if (goog.LOCALE == 'jgo') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_jgo; } if (goog.LOCALE == 'jgo_CM' || goog.LOCALE == 'jgo-CM') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_jgo; } if (goog.LOCALE == 'jmc') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_jmc; } if (goog.LOCALE == 'jmc_TZ' || goog.LOCALE == 'jmc-TZ') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_jmc; } if (goog.LOCALE == 'ka') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ka; } if (goog.LOCALE == 'ka_GE' || goog.LOCALE == 'ka-GE') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ka; } if (goog.LOCALE == 'kab') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_kab; } if (goog.LOCALE == 'kab_DZ' || goog.LOCALE == 'kab-DZ') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_kab; } if (goog.LOCALE == 'kam') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_kam; } if (goog.LOCALE == 'kam_KE' || goog.LOCALE == 'kam-KE') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_kam; } if (goog.LOCALE == 'kde') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_kde; } if (goog.LOCALE == 'kde_TZ' || goog.LOCALE == 'kde-TZ') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_kde; } if (goog.LOCALE == 'kea') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_kea; } if (goog.LOCALE == 'kea_CV' || goog.LOCALE == 'kea-CV') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_kea; } if (goog.LOCALE == 'khq') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_khq; } if (goog.LOCALE == 'khq_ML' || goog.LOCALE == 'khq-ML') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_khq; } if (goog.LOCALE == 'ki') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ki; } if (goog.LOCALE == 'ki_KE' || goog.LOCALE == 'ki-KE') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ki; } if (goog.LOCALE == 'kk') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_kk; } if (goog.LOCALE == 'kk_Cyrl' || goog.LOCALE == 'kk-Cyrl') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_kk_Cyrl; } if (goog.LOCALE == 'kk_Cyrl_KZ' || goog.LOCALE == 'kk-Cyrl-KZ') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_kk; } if (goog.LOCALE == 'kkj') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_kkj; } if (goog.LOCALE == 'kkj_CM' || goog.LOCALE == 'kkj-CM') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_kkj; } if (goog.LOCALE == 'kl') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_kl; } if (goog.LOCALE == 'kl_GL' || goog.LOCALE == 'kl-GL') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_kl; } if (goog.LOCALE == 'kln') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_kln; } if (goog.LOCALE == 'kln_KE' || goog.LOCALE == 'kln-KE') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_kln; } if (goog.LOCALE == 'km') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_km; } if (goog.LOCALE == 'km_KH' || goog.LOCALE == 'km-KH') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_km; } if (goog.LOCALE == 'ko_KP' || goog.LOCALE == 'ko-KP') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ko_KP; } if (goog.LOCALE == 'kok') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_kok; } if (goog.LOCALE == 'kok_IN' || goog.LOCALE == 'kok-IN') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_kok; } if (goog.LOCALE == 'ks') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ks; } if (goog.LOCALE == 'ks_Arab' || goog.LOCALE == 'ks-Arab') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ks_Arab; } if (goog.LOCALE == 'ks_Arab_IN' || goog.LOCALE == 'ks-Arab-IN') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ks; } if (goog.LOCALE == 'ksb') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ksb; } if (goog.LOCALE == 'ksb_TZ' || goog.LOCALE == 'ksb-TZ') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ksb; } if (goog.LOCALE == 'ksf') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ksf; } if (goog.LOCALE == 'ksf_CM' || goog.LOCALE == 'ksf-CM') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ksf; } if (goog.LOCALE == 'ksh') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ksh; } if (goog.LOCALE == 'ksh_DE' || goog.LOCALE == 'ksh-DE') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ksh; } if (goog.LOCALE == 'kw') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_kw; } if (goog.LOCALE == 'kw_GB' || goog.LOCALE == 'kw-GB') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_kw; } if (goog.LOCALE == 'ky') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ky; } if (goog.LOCALE == 'ky_KG' || goog.LOCALE == 'ky-KG') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ky; } if (goog.LOCALE == 'lag') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_lag; } if (goog.LOCALE == 'lag_TZ' || goog.LOCALE == 'lag-TZ') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_lag; } if (goog.LOCALE == 'lg') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_lg; } if (goog.LOCALE == 'lg_UG' || goog.LOCALE == 'lg-UG') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_lg; } if (goog.LOCALE == 'ln_AO' || goog.LOCALE == 'ln-AO') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ln_AO; } if (goog.LOCALE == 'ln_CF' || goog.LOCALE == 'ln-CF') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ln_CF; } if (goog.LOCALE == 'ln_CG' || goog.LOCALE == 'ln-CG') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ln_CG; } if (goog.LOCALE == 'lo') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_lo; } if (goog.LOCALE == 'lo_LA' || goog.LOCALE == 'lo-LA') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_lo; } if (goog.LOCALE == 'lu') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_lu; } if (goog.LOCALE == 'lu_CD' || goog.LOCALE == 'lu-CD') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_lu; } if (goog.LOCALE == 'luo') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_luo; } if (goog.LOCALE == 'luo_KE' || goog.LOCALE == 'luo-KE') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_luo; } if (goog.LOCALE == 'luy') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_luy; } if (goog.LOCALE == 'luy_KE' || goog.LOCALE == 'luy-KE') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_luy; } if (goog.LOCALE == 'mas') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_mas; } if (goog.LOCALE == 'mas_KE' || goog.LOCALE == 'mas-KE') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_mas; } if (goog.LOCALE == 'mas_TZ' || goog.LOCALE == 'mas-TZ') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_mas_TZ; } if (goog.LOCALE == 'mer') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_mer; } if (goog.LOCALE == 'mer_KE' || goog.LOCALE == 'mer-KE') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_mer; } if (goog.LOCALE == 'mfe') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_mfe; } if (goog.LOCALE == 'mfe_MU' || goog.LOCALE == 'mfe-MU') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_mfe; } if (goog.LOCALE == 'mg') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_mg; } if (goog.LOCALE == 'mg_MG' || goog.LOCALE == 'mg-MG') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_mg; } if (goog.LOCALE == 'mgh') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_mgh; } if (goog.LOCALE == 'mgh_MZ' || goog.LOCALE == 'mgh-MZ') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_mgh; } if (goog.LOCALE == 'mgo') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_mgo; } if (goog.LOCALE == 'mgo_CM' || goog.LOCALE == 'mgo-CM') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_mgo; } if (goog.LOCALE == 'mk') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_mk; } if (goog.LOCALE == 'mk_MK' || goog.LOCALE == 'mk-MK') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_mk; } if (goog.LOCALE == 'ms_BN' || goog.LOCALE == 'ms-BN') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ms_BN; } if (goog.LOCALE == 'ms_SG' || goog.LOCALE == 'ms-SG') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ms_SG; } if (goog.LOCALE == 'mua') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_mua; } if (goog.LOCALE == 'mua_CM' || goog.LOCALE == 'mua-CM') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_mua; } if (goog.LOCALE == 'my') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_my; } if (goog.LOCALE == 'my_MM' || goog.LOCALE == 'my-MM') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_my; } if (goog.LOCALE == 'naq') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_naq; } if (goog.LOCALE == 'naq_NA' || goog.LOCALE == 'naq-NA') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_naq; } if (goog.LOCALE == 'nb') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_nb; } if (goog.LOCALE == 'nb_NO' || goog.LOCALE == 'nb-NO') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_nb; } if (goog.LOCALE == 'nd') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_nd; } if (goog.LOCALE == 'nd_ZW' || goog.LOCALE == 'nd-ZW') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_nd; } if (goog.LOCALE == 'ne') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ne; } if (goog.LOCALE == 'ne_IN' || goog.LOCALE == 'ne-IN') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ne_IN; } if (goog.LOCALE == 'ne_NP' || goog.LOCALE == 'ne-NP') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ne; } if (goog.LOCALE == 'nl_AW' || goog.LOCALE == 'nl-AW') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_nl_AW; } if (goog.LOCALE == 'nl_BE' || goog.LOCALE == 'nl-BE') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_nl_BE; } if (goog.LOCALE == 'nl_SR' || goog.LOCALE == 'nl-SR') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_nl_SR; } if (goog.LOCALE == 'nmg') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_nmg; } if (goog.LOCALE == 'nmg_CM' || goog.LOCALE == 'nmg-CM') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_nmg; } if (goog.LOCALE == 'nn') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_nn; } if (goog.LOCALE == 'nn_NO' || goog.LOCALE == 'nn-NO') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_nn; } if (goog.LOCALE == 'nnh') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_nnh; } if (goog.LOCALE == 'nnh_CM' || goog.LOCALE == 'nnh-CM') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_nnh; } if (goog.LOCALE == 'nr') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_nr; } if (goog.LOCALE == 'nr_ZA' || goog.LOCALE == 'nr-ZA') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_nr; } if (goog.LOCALE == 'nso') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_nso; } if (goog.LOCALE == 'nso_ZA' || goog.LOCALE == 'nso-ZA') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_nso; } if (goog.LOCALE == 'nus') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_nus; } if (goog.LOCALE == 'nus_SD' || goog.LOCALE == 'nus-SD') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_nus; } if (goog.LOCALE == 'nyn') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_nyn; } if (goog.LOCALE == 'nyn_UG' || goog.LOCALE == 'nyn-UG') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_nyn; } if (goog.LOCALE == 'om') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_om; } if (goog.LOCALE == 'om_ET' || goog.LOCALE == 'om-ET') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_om; } if (goog.LOCALE == 'om_KE' || goog.LOCALE == 'om-KE') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_om_KE; } if (goog.LOCALE == 'os') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_os; } if (goog.LOCALE == 'os_GE' || goog.LOCALE == 'os-GE') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_os; } if (goog.LOCALE == 'os_RU' || goog.LOCALE == 'os-RU') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_os_RU; } if (goog.LOCALE == 'pa') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_pa; } if (goog.LOCALE == 'pa_Arab' || goog.LOCALE == 'pa-Arab') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_pa_Arab; } if (goog.LOCALE == 'pa_Arab_PK' || goog.LOCALE == 'pa-Arab-PK') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_pa_Arab; } if (goog.LOCALE == 'pa_Guru' || goog.LOCALE == 'pa-Guru') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_pa_Guru; } if (goog.LOCALE == 'pa_Guru_IN' || goog.LOCALE == 'pa-Guru-IN') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_pa; } if (goog.LOCALE == 'ps') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ps; } if (goog.LOCALE == 'ps_AF' || goog.LOCALE == 'ps-AF') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ps; } if (goog.LOCALE == 'pt_AO' || goog.LOCALE == 'pt-AO') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_pt_AO; } if (goog.LOCALE == 'pt_CV' || goog.LOCALE == 'pt-CV') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_pt_CV; } if (goog.LOCALE == 'pt_GW' || goog.LOCALE == 'pt-GW') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_pt_GW; } if (goog.LOCALE == 'pt_MO' || goog.LOCALE == 'pt-MO') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_pt_MO; } if (goog.LOCALE == 'pt_MZ' || goog.LOCALE == 'pt-MZ') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_pt_MZ; } if (goog.LOCALE == 'pt_ST' || goog.LOCALE == 'pt-ST') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_pt_ST; } if (goog.LOCALE == 'pt_TL' || goog.LOCALE == 'pt-TL') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_pt_TL; } if (goog.LOCALE == 'rm') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_rm; } if (goog.LOCALE == 'rm_CH' || goog.LOCALE == 'rm-CH') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_rm; } if (goog.LOCALE == 'rn') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_rn; } if (goog.LOCALE == 'rn_BI' || goog.LOCALE == 'rn-BI') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_rn; } if (goog.LOCALE == 'ro_MD' || goog.LOCALE == 'ro-MD') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ro_MD; } if (goog.LOCALE == 'rof') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_rof; } if (goog.LOCALE == 'rof_TZ' || goog.LOCALE == 'rof-TZ') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_rof; } if (goog.LOCALE == 'ru_BY' || goog.LOCALE == 'ru-BY') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ru_BY; } if (goog.LOCALE == 'ru_KG' || goog.LOCALE == 'ru-KG') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ru_KG; } if (goog.LOCALE == 'ru_KZ' || goog.LOCALE == 'ru-KZ') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ru_KZ; } if (goog.LOCALE == 'ru_MD' || goog.LOCALE == 'ru-MD') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ru_MD; } if (goog.LOCALE == 'ru_UA' || goog.LOCALE == 'ru-UA') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ru_UA; } if (goog.LOCALE == 'rw') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_rw; } if (goog.LOCALE == 'rw_RW' || goog.LOCALE == 'rw-RW') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_rw; } if (goog.LOCALE == 'rwk') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_rwk; } if (goog.LOCALE == 'rwk_TZ' || goog.LOCALE == 'rwk-TZ') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_rwk; } if (goog.LOCALE == 'sah') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_sah; } if (goog.LOCALE == 'sah_RU' || goog.LOCALE == 'sah-RU') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_sah; } if (goog.LOCALE == 'saq') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_saq; } if (goog.LOCALE == 'saq_KE' || goog.LOCALE == 'saq-KE') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_saq; } if (goog.LOCALE == 'sbp') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_sbp; } if (goog.LOCALE == 'sbp_TZ' || goog.LOCALE == 'sbp-TZ') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_sbp; } if (goog.LOCALE == 'se') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_se; } if (goog.LOCALE == 'se_FI' || goog.LOCALE == 'se-FI') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_se_FI; } if (goog.LOCALE == 'se_NO' || goog.LOCALE == 'se-NO') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_se; } if (goog.LOCALE == 'seh') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_seh; } if (goog.LOCALE == 'seh_MZ' || goog.LOCALE == 'seh-MZ') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_seh; } if (goog.LOCALE == 'ses') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ses; } if (goog.LOCALE == 'ses_ML' || goog.LOCALE == 'ses-ML') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ses; } if (goog.LOCALE == 'sg') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_sg; } if (goog.LOCALE == 'sg_CF' || goog.LOCALE == 'sg-CF') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_sg; } if (goog.LOCALE == 'shi') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_shi; } if (goog.LOCALE == 'shi_Latn' || goog.LOCALE == 'shi-Latn') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_shi_Latn; } if (goog.LOCALE == 'shi_Latn_MA' || goog.LOCALE == 'shi-Latn-MA') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_shi; } if (goog.LOCALE == 'shi_Tfng' || goog.LOCALE == 'shi-Tfng') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_shi_Tfng; } if (goog.LOCALE == 'shi_Tfng_MA' || goog.LOCALE == 'shi-Tfng-MA') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_shi; } if (goog.LOCALE == 'si') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_si; } if (goog.LOCALE == 'si_LK' || goog.LOCALE == 'si-LK') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_si; } if (goog.LOCALE == 'sn') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_sn; } if (goog.LOCALE == 'sn_ZW' || goog.LOCALE == 'sn-ZW') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_sn; } if (goog.LOCALE == 'so') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_so; } if (goog.LOCALE == 'so_DJ' || goog.LOCALE == 'so-DJ') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_so_DJ; } if (goog.LOCALE == 'so_ET' || goog.LOCALE == 'so-ET') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_so_ET; } if (goog.LOCALE == 'so_KE' || goog.LOCALE == 'so-KE') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_so_KE; } if (goog.LOCALE == 'so_SO' || goog.LOCALE == 'so-SO') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_so; } if (goog.LOCALE == 'sq_MK' || goog.LOCALE == 'sq-MK') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_sq_MK; } if (goog.LOCALE == 'sr_Cyrl' || goog.LOCALE == 'sr-Cyrl') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_sr_Cyrl; } if (goog.LOCALE == 'sr_Cyrl_BA' || goog.LOCALE == 'sr-Cyrl-BA') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_sr_Cyrl_BA; } if (goog.LOCALE == 'sr_Cyrl_ME' || goog.LOCALE == 'sr-Cyrl-ME') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_sr_Cyrl; } if (goog.LOCALE == 'sr_Latn' || goog.LOCALE == 'sr-Latn') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_sr_Latn; } if (goog.LOCALE == 'sr_Latn_BA' || goog.LOCALE == 'sr-Latn-BA') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_sr_Latn_BA; } if (goog.LOCALE == 'sr_Latn_ME' || goog.LOCALE == 'sr-Latn-ME') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_sr_Latn; } if (goog.LOCALE == 'ss') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ss; } if (goog.LOCALE == 'ss_SZ' || goog.LOCALE == 'ss-SZ') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ss_SZ; } if (goog.LOCALE == 'ss_ZA' || goog.LOCALE == 'ss-ZA') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ss; } if (goog.LOCALE == 'ssy') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ssy; } if (goog.LOCALE == 'ssy_ER' || goog.LOCALE == 'ssy-ER') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ssy; } if (goog.LOCALE == 'st') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_st; } if (goog.LOCALE == 'st_LS' || goog.LOCALE == 'st-LS') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_st; } if (goog.LOCALE == 'st_ZA' || goog.LOCALE == 'st-ZA') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_st; } if (goog.LOCALE == 'sv_AX' || goog.LOCALE == 'sv-AX') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_sv_AX; } if (goog.LOCALE == 'sv_FI' || goog.LOCALE == 'sv-FI') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_sv_FI; } if (goog.LOCALE == 'sw_KE' || goog.LOCALE == 'sw-KE') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_sw_KE; } if (goog.LOCALE == 'sw_UG' || goog.LOCALE == 'sw-UG') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_sw_UG; } if (goog.LOCALE == 'swc') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_swc; } if (goog.LOCALE == 'swc_CD' || goog.LOCALE == 'swc-CD') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_swc; } if (goog.LOCALE == 'ta_LK' || goog.LOCALE == 'ta-LK') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ta_LK; } if (goog.LOCALE == 'ta_MY' || goog.LOCALE == 'ta-MY') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ta_MY; } if (goog.LOCALE == 'ta_SG' || goog.LOCALE == 'ta-SG') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ta_SG; } if (goog.LOCALE == 'teo') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_teo; } if (goog.LOCALE == 'teo_KE' || goog.LOCALE == 'teo-KE') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_teo_KE; } if (goog.LOCALE == 'teo_UG' || goog.LOCALE == 'teo-UG') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_teo; } if (goog.LOCALE == 'tg') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_tg; } if (goog.LOCALE == 'tg_Cyrl' || goog.LOCALE == 'tg-Cyrl') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_tg_Cyrl; } if (goog.LOCALE == 'tg_Cyrl_TJ' || goog.LOCALE == 'tg-Cyrl-TJ') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_tg; } if (goog.LOCALE == 'ti') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ti; } if (goog.LOCALE == 'ti_ER' || goog.LOCALE == 'ti-ER') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ti_ER; } if (goog.LOCALE == 'ti_ET' || goog.LOCALE == 'ti-ET') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ti; } if (goog.LOCALE == 'tig') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_tig; } if (goog.LOCALE == 'tig_ER' || goog.LOCALE == 'tig-ER') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_tig; } if (goog.LOCALE == 'tn') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_tn; } if (goog.LOCALE == 'tn_BW' || goog.LOCALE == 'tn-BW') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_tn_BW; } if (goog.LOCALE == 'tn_ZA' || goog.LOCALE == 'tn-ZA') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_tn; } if (goog.LOCALE == 'to') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_to; } if (goog.LOCALE == 'to_TO' || goog.LOCALE == 'to-TO') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_to; } if (goog.LOCALE == 'tr_CY' || goog.LOCALE == 'tr-CY') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_tr_CY; } if (goog.LOCALE == 'ts') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ts; } if (goog.LOCALE == 'ts_ZA' || goog.LOCALE == 'ts-ZA') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ts; } if (goog.LOCALE == 'twq') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_twq; } if (goog.LOCALE == 'twq_NE' || goog.LOCALE == 'twq-NE') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_twq; } if (goog.LOCALE == 'tzm') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_tzm; } if (goog.LOCALE == 'tzm_Latn' || goog.LOCALE == 'tzm-Latn') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_tzm_Latn; } if (goog.LOCALE == 'tzm_Latn_MA' || goog.LOCALE == 'tzm-Latn-MA') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_tzm; } if (goog.LOCALE == 'ur_IN' || goog.LOCALE == 'ur-IN') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ur_IN; } if (goog.LOCALE == 'uz') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_uz; } if (goog.LOCALE == 'uz_Arab' || goog.LOCALE == 'uz-Arab') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_uz_Arab; } if (goog.LOCALE == 'uz_Arab_AF' || goog.LOCALE == 'uz-Arab-AF') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_uz_Arab; } if (goog.LOCALE == 'uz_Cyrl' || goog.LOCALE == 'uz-Cyrl') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_uz_Cyrl; } if (goog.LOCALE == 'uz_Cyrl_UZ' || goog.LOCALE == 'uz-Cyrl-UZ') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_uz; } if (goog.LOCALE == 'uz_Latn' || goog.LOCALE == 'uz-Latn') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_uz_Latn; } if (goog.LOCALE == 'uz_Latn_UZ' || goog.LOCALE == 'uz-Latn-UZ') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_uz; } if (goog.LOCALE == 'vai') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_vai; } if (goog.LOCALE == 'vai_Latn' || goog.LOCALE == 'vai-Latn') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_vai_Latn; } if (goog.LOCALE == 'vai_Latn_LR' || goog.LOCALE == 'vai-Latn-LR') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_vai; } if (goog.LOCALE == 'vai_Vaii' || goog.LOCALE == 'vai-Vaii') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_vai_Vaii; } if (goog.LOCALE == 'vai_Vaii_LR' || goog.LOCALE == 'vai-Vaii-LR') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_vai; } if (goog.LOCALE == 've') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ve; } if (goog.LOCALE == 've_ZA' || goog.LOCALE == 've-ZA') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ve; } if (goog.LOCALE == 'vo') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_vo; } if (goog.LOCALE == 'vun') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_vun; } if (goog.LOCALE == 'vun_TZ' || goog.LOCALE == 'vun-TZ') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_vun; } if (goog.LOCALE == 'wae') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_wae; } if (goog.LOCALE == 'wae_CH' || goog.LOCALE == 'wae-CH') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_wae; } if (goog.LOCALE == 'wal') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_wal; } if (goog.LOCALE == 'wal_ET' || goog.LOCALE == 'wal-ET') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_wal; } if (goog.LOCALE == 'xh') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_xh; } if (goog.LOCALE == 'xh_ZA' || goog.LOCALE == 'xh-ZA') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_xh; } if (goog.LOCALE == 'xog') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_xog; } if (goog.LOCALE == 'xog_UG' || goog.LOCALE == 'xog-UG') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_xog; } if (goog.LOCALE == 'yav') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_yav; } if (goog.LOCALE == 'yav_CM' || goog.LOCALE == 'yav-CM') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_yav; } if (goog.LOCALE == 'yo') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_yo; } if (goog.LOCALE == 'yo_NG' || goog.LOCALE == 'yo-NG') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_yo; } if (goog.LOCALE == 'zh_Hans' || goog.LOCALE == 'zh-Hans') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_zh_Hans; } if (goog.LOCALE == 'zh_Hans_HK' || goog.LOCALE == 'zh-Hans-HK') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_zh_Hans_HK; } if (goog.LOCALE == 'zh_Hans_MO' || goog.LOCALE == 'zh-Hans-MO') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_zh_Hans_MO; } if (goog.LOCALE == 'zh_Hans_SG' || goog.LOCALE == 'zh-Hans-SG') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_zh_Hans_SG; } if (goog.LOCALE == 'zh_Hant' || goog.LOCALE == 'zh-Hant') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_zh_Hant; } if (goog.LOCALE == 'zh_Hant_HK' || goog.LOCALE == 'zh-Hant-HK') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_zh_Hant_HK; } if (goog.LOCALE == 'zh_Hant_MO' || goog.LOCALE == 'zh-Hant-MO') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_zh_Hant_MO; } if (goog.LOCALE == 'zh_Hant_TW' || goog.LOCALE == 'zh-Hant-TW') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_zh_Hant; }
JavaScript
// Copyright 2012 The Closure Library Authors. All Rights Reserved // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, WITHOUT // WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the // License for the specific language governing permissions and limitations under // the License. /** * @fileoverview Plural rules. * * This file is autogenerated by script: * http://go/generate_pluralrules.py * * Before check in, this file could have been manually edited. This is to * incorporate changes before we could fix CLDR. All manual modification must be * documented in this section, and should be removed after those changes land to * CLDR. */ goog.provide('goog.i18n.pluralRules'); /** * Plural pattern keyword * @enum {string} */ goog.i18n.pluralRules.Keyword = { ZERO: 'zero', ONE: 'one', TWO: 'two', FEW: 'few', MANY: 'many', OTHER: 'other' }; /** * Default plural select rule. * @param {number} n The count of items. * @return {goog.i18n.pluralRules.Keyword} Default value. * @private */ goog.i18n.pluralRules.defaultSelect_ = function(n) { return goog.i18n.pluralRules.Keyword.OTHER; }; /** * Plural select rules for ar locale * * @param {number} n The count of items. * @return {goog.i18n.pluralRules.Keyword} Locale-specific plural value. * @private */ goog.i18n.pluralRules.arSelect_ = function(n) { if (n == 0) { return goog.i18n.pluralRules.Keyword.ZERO; } if (n == 1) { return goog.i18n.pluralRules.Keyword.ONE; } if (n == 2) { return goog.i18n.pluralRules.Keyword.TWO; } if (n == (n | 0) && n % 100 >= 3 && n % 100 <= 10) { return goog.i18n.pluralRules.Keyword.FEW; } if (n == (n | 0) && n % 100 >= 11 && n % 100 <= 99) { return goog.i18n.pluralRules.Keyword.MANY; } return goog.i18n.pluralRules.Keyword.OTHER; }; /** * Plural select rules for en locale * * @param {number} n The count of items. * @return {goog.i18n.pluralRules.Keyword} Locale-specific plural value. * @private */ goog.i18n.pluralRules.enSelect_ = function(n) { if (n == 1) { return goog.i18n.pluralRules.Keyword.ONE; } return goog.i18n.pluralRules.Keyword.OTHER; }; /** * Plural select rules for fil locale * * @param {number} n The count of items. * @return {goog.i18n.pluralRules.Keyword} Locale-specific plural value. * @private */ goog.i18n.pluralRules.filSelect_ = function(n) { if (n == 0 || n == 1) { return goog.i18n.pluralRules.Keyword.ONE; } return goog.i18n.pluralRules.Keyword.OTHER; }; /** * Plural select rules for fr locale * * @param {number} n The count of items. * @return {goog.i18n.pluralRules.Keyword} Locale-specific plural value. * @private */ goog.i18n.pluralRules.frSelect_ = function(n) { if (n >= 0 && n <= 2 && n != 2) { return goog.i18n.pluralRules.Keyword.ONE; } return goog.i18n.pluralRules.Keyword.OTHER; }; /** * Plural select rules for lv locale * * @param {number} n The count of items. * @return {goog.i18n.pluralRules.Keyword} Locale-specific plural value. * @private */ goog.i18n.pluralRules.lvSelect_ = function(n) { if (n == 0) { return goog.i18n.pluralRules.Keyword.ZERO; } if (n % 10 == 1 && n % 100 != 11) { return goog.i18n.pluralRules.Keyword.ONE; } return goog.i18n.pluralRules.Keyword.OTHER; }; /** * Plural select rules for iu locale * * @param {number} n The count of items. * @return {goog.i18n.pluralRules.Keyword} Locale-specific plural value. * @private */ goog.i18n.pluralRules.iuSelect_ = function(n) { if (n == 1) { return goog.i18n.pluralRules.Keyword.ONE; } if (n == 2) { return goog.i18n.pluralRules.Keyword.TWO; } return goog.i18n.pluralRules.Keyword.OTHER; }; /** * Plural select rules for ga locale * * @param {number} n The count of items. * @return {goog.i18n.pluralRules.Keyword} Locale-specific plural value. * @private */ goog.i18n.pluralRules.gaSelect_ = function(n) { if (n == 1) { return goog.i18n.pluralRules.Keyword.ONE; } if (n == 2) { return goog.i18n.pluralRules.Keyword.TWO; } if (n == (n | 0) && n >= 3 && n <= 6) { return goog.i18n.pluralRules.Keyword.FEW; } if (n == (n | 0) && n >= 7 && n <= 10) { return goog.i18n.pluralRules.Keyword.MANY; } return goog.i18n.pluralRules.Keyword.OTHER; }; /** * Plural select rules for ro locale * * @param {number} n The count of items. * @return {goog.i18n.pluralRules.Keyword} Locale-specific plural value. * @private */ goog.i18n.pluralRules.roSelect_ = function(n) { if (n == 1) { return goog.i18n.pluralRules.Keyword.ONE; } if (n == 0 || n != 1 && n == (n | 0) && n % 100 >= 1 && n % 100 <= 19) { return goog.i18n.pluralRules.Keyword.FEW; } return goog.i18n.pluralRules.Keyword.OTHER; }; /** * Plural select rules for lt locale * * @param {number} n The count of items. * @return {goog.i18n.pluralRules.Keyword} Locale-specific plural value. * @private */ goog.i18n.pluralRules.ltSelect_ = function(n) { if (n % 10 == 1 && (n % 100 < 11 || n % 100 > 19)) { return goog.i18n.pluralRules.Keyword.ONE; } if (n == (n | 0) && n % 10 >= 2 && n % 10 <= 9 && (n % 100 < 11 || n % 100 > 19)) { return goog.i18n.pluralRules.Keyword.FEW; } return goog.i18n.pluralRules.Keyword.OTHER; }; /** * Plural select rules for be locale * * @param {number} n The count of items. * @return {goog.i18n.pluralRules.Keyword} Locale-specific plural value. * @private */ goog.i18n.pluralRules.beSelect_ = function(n) { if (n % 10 == 1 && n % 100 != 11) { return goog.i18n.pluralRules.Keyword.ONE; } if (n == (n | 0) && n % 10 >= 2 && n % 10 <= 4 && (n % 100 < 12 || n % 100 > 14)) { return goog.i18n.pluralRules.Keyword.FEW; } if (n % 10 == 0 || n == (n | 0) && n % 10 >= 5 && n % 10 <= 9 || n == (n | 0) && n % 100 >= 11 && n % 100 <= 14) { return goog.i18n.pluralRules.Keyword.MANY; } return goog.i18n.pluralRules.Keyword.OTHER; }; /** * Plural select rules for cs locale * * @param {number} n The count of items. * @return {goog.i18n.pluralRules.Keyword} Locale-specific plural value. * @private */ goog.i18n.pluralRules.csSelect_ = function(n) { if (n == 1) { return goog.i18n.pluralRules.Keyword.ONE; } if (n == (n | 0) && n >= 2 && n <= 4) { return goog.i18n.pluralRules.Keyword.FEW; } return goog.i18n.pluralRules.Keyword.OTHER; }; /** * Plural select rules for pl locale * * @param {number} n The count of items. * @return {goog.i18n.pluralRules.Keyword} Locale-specific plural value. * @private */ goog.i18n.pluralRules.plSelect_ = function(n) { if (n == 1) { return goog.i18n.pluralRules.Keyword.ONE; } if (n == (n | 0) && n % 10 >= 2 && n % 10 <= 4 && (n % 100 < 12 || n % 100 > 14)) { return goog.i18n.pluralRules.Keyword.FEW; } if (n != 1 && (n % 10 == 0 || n % 10 == 1) || n == (n | 0) && n % 10 >= 5 && n % 10 <= 9 || n == (n | 0) && n % 100 >= 12 && n % 100 <= 14) { return goog.i18n.pluralRules.Keyword.MANY; } return goog.i18n.pluralRules.Keyword.OTHER; }; /** * Plural select rules for sl locale * * @param {number} n The count of items. * @return {goog.i18n.pluralRules.Keyword} Locale-specific plural value. * @private */ goog.i18n.pluralRules.slSelect_ = function(n) { if (n % 100 == 1) { return goog.i18n.pluralRules.Keyword.ONE; } if (n % 100 == 2) { return goog.i18n.pluralRules.Keyword.TWO; } if (n % 100 == 3 || n % 100 == 4) { return goog.i18n.pluralRules.Keyword.FEW; } return goog.i18n.pluralRules.Keyword.OTHER; }; /** * Plural select rules for mt locale * * @param {number} n The count of items. * @return {goog.i18n.pluralRules.Keyword} Locale-specific plural value. * @private */ goog.i18n.pluralRules.mtSelect_ = function(n) { if (n == 1) { return goog.i18n.pluralRules.Keyword.ONE; } if (n == 0 || n == (n | 0) && n % 100 >= 2 && n % 100 <= 10) { return goog.i18n.pluralRules.Keyword.FEW; } if (n == (n | 0) && n % 100 >= 11 && n % 100 <= 19) { return goog.i18n.pluralRules.Keyword.MANY; } return goog.i18n.pluralRules.Keyword.OTHER; }; /** * Plural select rules for mk locale * * @param {number} n The count of items. * @return {goog.i18n.pluralRules.Keyword} Locale-specific plural value. * @private */ goog.i18n.pluralRules.mkSelect_ = function(n) { if (n % 10 == 1 && n != 11) { return goog.i18n.pluralRules.Keyword.ONE; } return goog.i18n.pluralRules.Keyword.OTHER; }; /** * Plural select rules for cy locale * * @param {number} n The count of items. * @return {goog.i18n.pluralRules.Keyword} Locale-specific plural value. * @private */ goog.i18n.pluralRules.cySelect_ = function(n) { if (n == 0) { return goog.i18n.pluralRules.Keyword.ZERO; } if (n == 1) { return goog.i18n.pluralRules.Keyword.ONE; } if (n == 2) { return goog.i18n.pluralRules.Keyword.TWO; } if (n == 3) { return goog.i18n.pluralRules.Keyword.FEW; } if (n == 6) { return goog.i18n.pluralRules.Keyword.MANY; } return goog.i18n.pluralRules.Keyword.OTHER; }; /** * Plural select rules for lag locale * * @param {number} n The count of items. * @return {goog.i18n.pluralRules.Keyword} Locale-specific plural value. * @private */ goog.i18n.pluralRules.lagSelect_ = function(n) { if (n == 0) { return goog.i18n.pluralRules.Keyword.ZERO; } if (n >= 0 && n <= 2 && n != 0 && n != 2) { return goog.i18n.pluralRules.Keyword.ONE; } return goog.i18n.pluralRules.Keyword.OTHER; }; /** * Plural select rules for shi locale * * @param {number} n The count of items. * @return {goog.i18n.pluralRules.Keyword} Locale-specific plural value. * @private */ goog.i18n.pluralRules.shiSelect_ = function(n) { if (n >= 0 && n <= 1) { return goog.i18n.pluralRules.Keyword.ONE; } if (n == (n | 0) && n >= 2 && n <= 10) { return goog.i18n.pluralRules.Keyword.FEW; } return goog.i18n.pluralRules.Keyword.OTHER; }; /** * Plural select rules for br locale * * @param {number} n The count of items. * @return {goog.i18n.pluralRules.Keyword} Locale-specific plural value. * @private */ goog.i18n.pluralRules.brSelect_ = function(n) { if (n % 10 == 1 && n % 100 != 11 && n % 100 != 71 && n % 100 != 91) { return goog.i18n.pluralRules.Keyword.ONE; } if (n % 10 == 2 && n % 100 != 12 && n % 100 != 72 && n % 100 != 92) { return goog.i18n.pluralRules.Keyword.TWO; } if ((n % 10 == 3 || n % 10 == 4 || n % 10 == 9) && ((n % 100 < 10 || n % 100 > 19) && (n % 100 < 70 || n % 100 > 79) && (n % 100 < 90 || n % 100 > 99))) { return goog.i18n.pluralRules.Keyword.FEW; } if (n % 1000000 == 0 && n != 0) { return goog.i18n.pluralRules.Keyword.MANY; } return goog.i18n.pluralRules.Keyword.OTHER; }; /** * Plural select rules for ksh locale * * @param {number} n The count of items. * @return {goog.i18n.pluralRules.Keyword} Locale-specific plural value. * @private */ goog.i18n.pluralRules.kshSelect_ = function(n) { if (n == 0) { return goog.i18n.pluralRules.Keyword.ZERO; } if (n == 1) { return goog.i18n.pluralRules.Keyword.ONE; } return goog.i18n.pluralRules.Keyword.OTHER; }; /** * Plural select rules for tzm locale * * @param {number} n The count of items. * @return {goog.i18n.pluralRules.Keyword} Locale-specific plural value. * @private */ goog.i18n.pluralRules.tzmSelect_ = function(n) { if (n == 0 || n == 1 || n == (n | 0) && n >= 11 && n <= 99) { return goog.i18n.pluralRules.Keyword.ONE; } return goog.i18n.pluralRules.Keyword.OTHER; }; /** * Plural select rules for gv locale * * @param {number} n The count of items. * @return {goog.i18n.pluralRules.Keyword} Locale-specific plural value. * @private */ goog.i18n.pluralRules.gvSelect_ = function(n) { if (n % 10 == 1 || n % 10 == 2 || n % 20 == 0) { return goog.i18n.pluralRules.Keyword.ONE; } return goog.i18n.pluralRules.Keyword.OTHER; }; /** * Plural select rules for gd locale * * @param {number} n The count of items. * @return {goog.i18n.pluralRules.Keyword} Locale-specific plural value. * @private */ goog.i18n.pluralRules.gdSelect_ = function(n) { if (n == 1 || n == 11) { return goog.i18n.pluralRules.Keyword.ONE; } if (n == 2 || n == 12) { return goog.i18n.pluralRules.Keyword.TWO; } if (n == (n | 0) && (n >= 3 && n <= 10 || n >= 13 && n <= 19)) { return goog.i18n.pluralRules.Keyword.FEW; } return goog.i18n.pluralRules.Keyword.OTHER; }; /** * Selected plural rules by locale. */ goog.i18n.pluralRules.select = goog.i18n.pluralRules.enSelect_; if (goog.LOCALE == 'am') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.filSelect_; } if (goog.LOCALE == 'ar') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.arSelect_; } if (goog.LOCALE == 'bg') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.enSelect_; } if (goog.LOCALE == 'bn') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.enSelect_; } if (goog.LOCALE == 'br') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.brSelect_; } if (goog.LOCALE == 'ca') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.enSelect_; } if (goog.LOCALE == 'cs') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.csSelect_; } if (goog.LOCALE == 'da') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.enSelect_; } if (goog.LOCALE == 'de') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.enSelect_; } if (goog.LOCALE == 'de_AT' || goog.LOCALE == 'de-AT') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.enSelect_; } if (goog.LOCALE == 'de_CH' || goog.LOCALE == 'de-CH') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.enSelect_; } if (goog.LOCALE == 'el') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.enSelect_; } if (goog.LOCALE == 'en') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.enSelect_; } if (goog.LOCALE == 'en_AU' || goog.LOCALE == 'en-AU') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.enSelect_; } if (goog.LOCALE == 'en_GB' || goog.LOCALE == 'en-GB') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.enSelect_; } if (goog.LOCALE == 'en_IE' || goog.LOCALE == 'en-IE') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.enSelect_; } if (goog.LOCALE == 'en_IN' || goog.LOCALE == 'en-IN') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.enSelect_; } if (goog.LOCALE == 'en_SG' || goog.LOCALE == 'en-SG') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.enSelect_; } if (goog.LOCALE == 'en_US' || goog.LOCALE == 'en-US') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.enSelect_; } if (goog.LOCALE == 'en_ZA' || goog.LOCALE == 'en-ZA') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.enSelect_; } if (goog.LOCALE == 'es') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.enSelect_; } if (goog.LOCALE == 'et') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.enSelect_; } if (goog.LOCALE == 'eu') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.enSelect_; } if (goog.LOCALE == 'fa') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.defaultSelect_; } if (goog.LOCALE == 'fi') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.enSelect_; } if (goog.LOCALE == 'fil') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.filSelect_; } if (goog.LOCALE == 'fr') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.frSelect_; } if (goog.LOCALE == 'fr_CA' || goog.LOCALE == 'fr-CA') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.frSelect_; } if (goog.LOCALE == 'gl') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.enSelect_; } if (goog.LOCALE == 'gsw') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.enSelect_; } if (goog.LOCALE == 'gu') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.enSelect_; } if (goog.LOCALE == 'he') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.enSelect_; } if (goog.LOCALE == 'hi') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.filSelect_; } if (goog.LOCALE == 'hr') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.beSelect_; } if (goog.LOCALE == 'hu') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.defaultSelect_; } if (goog.LOCALE == 'id') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.defaultSelect_; } if (goog.LOCALE == 'in') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.defaultSelect_; } if (goog.LOCALE == 'is') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.enSelect_; } if (goog.LOCALE == 'it') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.enSelect_; } if (goog.LOCALE == 'iw') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.defaultSelect_; } if (goog.LOCALE == 'ja') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.defaultSelect_; } if (goog.LOCALE == 'kn') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.defaultSelect_; } if (goog.LOCALE == 'ko') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.defaultSelect_; } if (goog.LOCALE == 'ln') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.filSelect_; } if (goog.LOCALE == 'lt') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.ltSelect_; } if (goog.LOCALE == 'lv') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.lvSelect_; } if (goog.LOCALE == 'ml') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.enSelect_; } if (goog.LOCALE == 'mr') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.enSelect_; } if (goog.LOCALE == 'ms') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.defaultSelect_; } if (goog.LOCALE == 'mt') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.mtSelect_; } if (goog.LOCALE == 'nl') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.enSelect_; } if (goog.LOCALE == 'no') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.enSelect_; } if (goog.LOCALE == 'or') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.enSelect_; } if (goog.LOCALE == 'pl') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.plSelect_; } if (goog.LOCALE == 'pt') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.enSelect_; } if (goog.LOCALE == 'pt_BR' || goog.LOCALE == 'pt-BR') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.enSelect_; } if (goog.LOCALE == 'pt_PT' || goog.LOCALE == 'pt-PT') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.enSelect_; } if (goog.LOCALE == 'ro') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.roSelect_; } if (goog.LOCALE == 'ru') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.beSelect_; } if (goog.LOCALE == 'sk') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.csSelect_; } if (goog.LOCALE == 'sl') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.slSelect_; } if (goog.LOCALE == 'sq') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.enSelect_; } if (goog.LOCALE == 'sr') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.beSelect_; } if (goog.LOCALE == 'sv') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.enSelect_; } if (goog.LOCALE == 'sw') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.enSelect_; } if (goog.LOCALE == 'ta') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.enSelect_; } if (goog.LOCALE == 'te') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.enSelect_; } if (goog.LOCALE == 'th') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.defaultSelect_; } if (goog.LOCALE == 'tl') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.filSelect_; } if (goog.LOCALE == 'tr') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.defaultSelect_; } if (goog.LOCALE == 'uk') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.beSelect_; } if (goog.LOCALE == 'ur') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.enSelect_; } if (goog.LOCALE == 'vi') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.defaultSelect_; } if (goog.LOCALE == 'zh') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.defaultSelect_; } if (goog.LOCALE == 'zh_CN' || goog.LOCALE == 'zh-CN') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.defaultSelect_; } if (goog.LOCALE == 'zh_HK' || goog.LOCALE == 'zh-HK') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.defaultSelect_; } if (goog.LOCALE == 'zh_TW' || goog.LOCALE == 'zh-TW') { goog.i18n.pluralRules.select = goog.i18n.pluralRules.defaultSelect_; }
JavaScript
// Copyright 2011 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Date/time formatting symbols for all locales. * * This file is autogenerated by script. See * http://go/generate_datetime_constants.py using the --for_closure flag. * * To reduce the file size (which may cause issues in some JS * developing environments), this file will only contain locales * that are usually supported by google products. It is a super * set of 40 languages. Rest of the data can be found in another file * named "datetimesymbolsext.js", which will be generated at the same * time as this file. * Before checkin, this file could have been manually edited. This is * to incorporate changes before we could correct CLDR. All manual * modification must be documented in this section, and should be * removed after those changes land to CLDR. */ goog.provide('goog.i18n.DateTimeSymbols'); goog.provide('goog.i18n.DateTimeSymbols_af'); goog.provide('goog.i18n.DateTimeSymbols_am'); goog.provide('goog.i18n.DateTimeSymbols_ar'); goog.provide('goog.i18n.DateTimeSymbols_bg'); goog.provide('goog.i18n.DateTimeSymbols_bn'); goog.provide('goog.i18n.DateTimeSymbols_ca'); goog.provide('goog.i18n.DateTimeSymbols_chr'); goog.provide('goog.i18n.DateTimeSymbols_cs'); goog.provide('goog.i18n.DateTimeSymbols_cy'); goog.provide('goog.i18n.DateTimeSymbols_da'); goog.provide('goog.i18n.DateTimeSymbols_de'); goog.provide('goog.i18n.DateTimeSymbols_de_AT'); goog.provide('goog.i18n.DateTimeSymbols_de_CH'); goog.provide('goog.i18n.DateTimeSymbols_el'); goog.provide('goog.i18n.DateTimeSymbols_en'); goog.provide('goog.i18n.DateTimeSymbols_en_AU'); goog.provide('goog.i18n.DateTimeSymbols_en_GB'); goog.provide('goog.i18n.DateTimeSymbols_en_IE'); goog.provide('goog.i18n.DateTimeSymbols_en_IN'); goog.provide('goog.i18n.DateTimeSymbols_en_ISO'); goog.provide('goog.i18n.DateTimeSymbols_en_SG'); goog.provide('goog.i18n.DateTimeSymbols_en_US'); goog.provide('goog.i18n.DateTimeSymbols_en_ZA'); goog.provide('goog.i18n.DateTimeSymbols_es'); goog.provide('goog.i18n.DateTimeSymbols_es_419'); goog.provide('goog.i18n.DateTimeSymbols_et'); goog.provide('goog.i18n.DateTimeSymbols_eu'); goog.provide('goog.i18n.DateTimeSymbols_fa'); goog.provide('goog.i18n.DateTimeSymbols_fi'); goog.provide('goog.i18n.DateTimeSymbols_fil'); goog.provide('goog.i18n.DateTimeSymbols_fr'); goog.provide('goog.i18n.DateTimeSymbols_fr_CA'); goog.provide('goog.i18n.DateTimeSymbols_gl'); goog.provide('goog.i18n.DateTimeSymbols_gsw'); goog.provide('goog.i18n.DateTimeSymbols_gu'); goog.provide('goog.i18n.DateTimeSymbols_haw'); goog.provide('goog.i18n.DateTimeSymbols_he'); goog.provide('goog.i18n.DateTimeSymbols_hi'); goog.provide('goog.i18n.DateTimeSymbols_hr'); goog.provide('goog.i18n.DateTimeSymbols_hu'); goog.provide('goog.i18n.DateTimeSymbols_id'); goog.provide('goog.i18n.DateTimeSymbols_in'); goog.provide('goog.i18n.DateTimeSymbols_is'); goog.provide('goog.i18n.DateTimeSymbols_it'); goog.provide('goog.i18n.DateTimeSymbols_iw'); goog.provide('goog.i18n.DateTimeSymbols_ja'); goog.provide('goog.i18n.DateTimeSymbols_kn'); goog.provide('goog.i18n.DateTimeSymbols_ko'); goog.provide('goog.i18n.DateTimeSymbols_ln'); goog.provide('goog.i18n.DateTimeSymbols_lt'); goog.provide('goog.i18n.DateTimeSymbols_lv'); goog.provide('goog.i18n.DateTimeSymbols_ml'); goog.provide('goog.i18n.DateTimeSymbols_mr'); goog.provide('goog.i18n.DateTimeSymbols_ms'); goog.provide('goog.i18n.DateTimeSymbols_mt'); goog.provide('goog.i18n.DateTimeSymbols_nl'); goog.provide('goog.i18n.DateTimeSymbols_no'); goog.provide('goog.i18n.DateTimeSymbols_or'); goog.provide('goog.i18n.DateTimeSymbols_pl'); goog.provide('goog.i18n.DateTimeSymbols_pt'); goog.provide('goog.i18n.DateTimeSymbols_pt_BR'); goog.provide('goog.i18n.DateTimeSymbols_pt_PT'); goog.provide('goog.i18n.DateTimeSymbols_ro'); goog.provide('goog.i18n.DateTimeSymbols_ru'); goog.provide('goog.i18n.DateTimeSymbols_sk'); goog.provide('goog.i18n.DateTimeSymbols_sl'); goog.provide('goog.i18n.DateTimeSymbols_sq'); goog.provide('goog.i18n.DateTimeSymbols_sr'); goog.provide('goog.i18n.DateTimeSymbols_sv'); goog.provide('goog.i18n.DateTimeSymbols_sw'); goog.provide('goog.i18n.DateTimeSymbols_ta'); goog.provide('goog.i18n.DateTimeSymbols_te'); goog.provide('goog.i18n.DateTimeSymbols_th'); goog.provide('goog.i18n.DateTimeSymbols_tl'); goog.provide('goog.i18n.DateTimeSymbols_tr'); goog.provide('goog.i18n.DateTimeSymbols_uk'); goog.provide('goog.i18n.DateTimeSymbols_ur'); goog.provide('goog.i18n.DateTimeSymbols_vi'); goog.provide('goog.i18n.DateTimeSymbols_zh'); goog.provide('goog.i18n.DateTimeSymbols_zh_CN'); goog.provide('goog.i18n.DateTimeSymbols_zh_HK'); goog.provide('goog.i18n.DateTimeSymbols_zh_TW'); goog.provide('goog.i18n.DateTimeSymbols_zu'); /** * Date/time formatting symbols for locale en_ISO. */ goog.i18n.DateTimeSymbols_en_ISO = { ERAS: ['BC', 'AD'], ERANAMES: ['Before Christ', 'Anno Domini'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], STANDALONEMONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], SHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], WEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], STANDALONEWEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], SHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], STANDALONESHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], NARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['1st quarter', '2nd quarter', '3rd quarter', '4th quarter'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, y MMMM dd', 'y MMMM d', 'y MMM d', 'yyyy-MM-dd'], TIMEFORMATS: ['HH:mm:ss v', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], AVAILABLEFORMATS: {'Md': 'M/d', 'MMMMd': 'MMMM d', 'MMMd': 'MMM d'}, FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale af. */ goog.i18n.DateTimeSymbols_af = { ERAS: ['v.C.', 'n.C.'], ERANAMES: ['voor Christus', 'na Christus'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['Januarie', 'Februarie', 'Maart', 'April', 'Mei', 'Junie', 'Julie', 'Augustus', 'September', 'Oktober', 'November', 'Desember'], STANDALONEMONTHS: ['Januarie', 'Februarie', 'Maart', 'April', 'Mei', 'Junie', 'Julie', 'Augustus', 'September', 'Oktober', 'November', 'Desember'], SHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'Mei', 'Jun', 'Jul', 'Aug', 'Sep', 'Okt', 'Nov', 'Des'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'Mei', 'Jun', 'Jul', 'Aug', 'Sep', 'Okt', 'Nov', 'Des'], WEEKDAYS: ['Sondag', 'Maandag', 'Dinsdag', 'Woensdag', 'Donderdag', 'Vrydag', 'Saterdag'], STANDALONEWEEKDAYS: ['Sondag', 'Maandag', 'Dinsdag', 'Woensdag', 'Donderdag', 'Vrydag', 'Saterdag'], SHORTWEEKDAYS: ['So', 'Ma', 'Di', 'Wo', 'Do', 'Vr', 'Sa'], STANDALONESHORTWEEKDAYS: ['So', 'Ma', 'Di', 'Wo', 'Do', 'Vr', 'Sa'], NARROWWEEKDAYS: ['S', 'M', 'D', 'W', 'D', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'D', 'W', 'D', 'V', 'S'], SHORTQUARTERS: ['K1', 'K2', 'K3', 'K4'], QUARTERS: ['1ste kwartaal', '2de kwartaal', '3de kwartaal', '4de kwartaal'], AMPMS: ['vm.', 'nm.'], DATEFORMATS: ['EEEE dd MMMM y', 'dd MMMM y', 'dd MMM y', 'yyyy-MM-dd'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale am. */ goog.i18n.DateTimeSymbols_am = { ERAS: ['ዓ/ዓ', 'ዓ/ም'], ERANAMES: ['ዓመተ ዓለም', 'ዓመተ ምሕረት'], NARROWMONTHS: ['ጃ', 'ፌ', 'ማ', 'ኤ', 'ሜ', 'ጁ', 'ጁ', 'ኦ', 'ሴ', 'ኦ', 'ኖ', 'ዲ'], STANDALONENARROWMONTHS: ['ጃ', 'ፌ', 'ማ', 'ኤ', 'ሜ', 'ጁ', 'ጁ', 'ኦ', 'ሴ', 'ኦ', 'ኖ', 'ዲ'], MONTHS: ['ጃንዩወሪ', 'ፌብሩወሪ', 'ማርች', 'ኤፕረል', 'ሜይ', 'ጁን', 'ጁላይ', 'ኦገስት', 'ሴፕቴምበር', 'ኦክተውበር', 'ኖቬምበር', 'ዲሴምበር'], STANDALONEMONTHS: ['ጃንዩወሪ', 'ፌብሩወሪ', 'ማርች', 'ኤፕረል', 'ሜይ', 'ጁን', 'ጁላይ', 'ኦገስት', 'ሴፕቴምበር', 'ኦክተውበር', 'ኖቬምበር', 'ዲሴምበር'], SHORTMONTHS: ['ጃንዩ', 'ፌብሩ', 'ማርች', 'ኤፕረ', 'ሜይ', 'ጁን', 'ጁላይ', 'ኦገስ', 'ሴፕቴ', 'ኦክተ', 'ኖቬም', 'ዲሴም'], STANDALONESHORTMONTHS: ['ጃንዩ', 'ፌብሩ', 'ማርች', 'ኤፕረ', 'ሜይ', 'ጁን', 'ጁላይ', 'ኦገስ', 'ሴፕቴ', 'ኦክተ', 'ኖቬም', 'ዲሴም'], WEEKDAYS: ['እሑድ', 'ሰኞ', 'ማክሰኞ', 'ረቡዕ', 'ሐሙስ', 'ዓርብ', 'ቅዳሜ'], STANDALONEWEEKDAYS: ['እሑድ', 'ሰኞ', 'ማክሰኞ', 'ረቡዕ', 'ሐሙስ', 'ዓርብ', 'ቅዳሜ'], SHORTWEEKDAYS: ['እሑድ', 'ሰኞ', 'ማክሰ', 'ረቡዕ', 'ሐሙስ', 'ዓርብ', 'ቅዳሜ'], STANDALONESHORTWEEKDAYS: ['እሑድ', 'ሰኞ', 'ማክሰ', 'ረቡዕ', 'ሐሙስ', 'ዓርብ', 'ቅዳሜ'], NARROWWEEKDAYS: ['እ', 'ሰ', 'ማ', 'ረ', 'ሐ', 'ዓ', 'ቅ'], STANDALONENARROWWEEKDAYS: ['እ', 'ሰ', 'ማ', 'ረ', 'ሐ', 'ዓ', 'ቅ'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['1ኛው ሩብ', 'ሁለተኛው ሩብ', '3ኛው ሩብ', '4ኛው ሩብ'], AMPMS: ['ጡዋት', 'ከሳዓት'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yyyy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale ar. */ goog.i18n.DateTimeSymbols_ar = { ZERODIGIT: 0x0660, ERAS: ['ق.م', 'م'], ERANAMES: ['قبل الميلاد', 'ميلادي'], NARROWMONTHS: ['ي', 'ف', 'م', 'أ', 'و', 'ن', 'ل', 'غ', 'س', 'ك', 'ب', 'د'], STANDALONENARROWMONTHS: ['ي', 'ف', 'م', 'أ', 'و', 'ن', 'ل', 'غ', 'س', 'ك', 'ب', 'د'], MONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], STANDALONEMONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], SHORTMONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], STANDALONESHORTMONTHS: ['يناير', 'فبراير', 'مارس', 'أبريل', 'مايو', 'يونيو', 'يوليو', 'أغسطس', 'سبتمبر', 'أكتوبر', 'نوفمبر', 'ديسمبر'], WEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], STANDALONEWEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], SHORTWEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], STANDALONESHORTWEEKDAYS: ['الأحد', 'الاثنين', 'الثلاثاء', 'الأربعاء', 'الخميس', 'الجمعة', 'السبت'], NARROWWEEKDAYS: ['ح', 'ن', 'ث', 'ر', 'خ', 'ج', 'س'], STANDALONENARROWWEEKDAYS: ['ح', 'ن', 'ث', 'ر', 'خ', 'ج', 'س'], SHORTQUARTERS: ['الربع الأول', 'الربع الثاني', 'الربع الثالث', 'الربع الرابع'], QUARTERS: ['الربع الأول', 'الربع الثاني', 'الربع الثالث', 'الربع الرابع'], AMPMS: ['ص', 'م'], DATEFORMATS: ['EEEE، d MMMM، y', 'd MMMM، y', 'dd‏/MM‏/yyyy', 'd‏/M‏/yyyy'], TIMEFORMATS: ['zzzz h:mm:ss a', 'z h:mm:ss a', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 5, WEEKENDRANGE: [4, 5], FIRSTWEEKCUTOFFDAY: 4 }; /** * Date/time formatting symbols for locale bg. */ goog.i18n.DateTimeSymbols_bg = { ERAS: ['пр. н. е.', 'от н. е.'], ERANAMES: ['пр.Хр.', 'сл.Хр.'], NARROWMONTHS: ['я', 'ф', 'м', 'а', 'м', 'ю', 'ю', 'а', 'с', 'о', 'н', 'д'], STANDALONENARROWMONTHS: ['я', 'ф', 'м', 'а', 'м', 'ю', 'ю', 'а', 'с', 'о', 'н', 'д'], MONTHS: ['януари', 'февруари', 'март', 'април', 'май', 'юни', 'юли', 'август', 'септември', 'октомври', 'ноември', 'декември'], STANDALONEMONTHS: ['януари', 'февруари', 'март', 'април', 'май', 'юни', 'юли', 'август', 'септември', 'октомври', 'ноември', 'декември'], SHORTMONTHS: ['ян.', 'февр.', 'март', 'апр.', 'май', 'юни', 'юли', 'авг.', 'септ.', 'окт.', 'ноем.', 'дек.'], STANDALONESHORTMONTHS: ['ян.', 'февр.', 'март', 'апр.', 'май', 'юни', 'юли', 'авг.', 'септ.', 'окт.', 'ноем.', 'дек.'], WEEKDAYS: ['неделя', 'понеделник', 'вторник', 'сряда', 'четвъртък', 'петък', 'събота'], STANDALONEWEEKDAYS: ['неделя', 'понеделник', 'вторник', 'сряда', 'четвъртък', 'петък', 'събота'], SHORTWEEKDAYS: ['нд', 'пн', 'вт', 'ср', 'чт', 'пт', 'сб'], STANDALONESHORTWEEKDAYS: ['нд', 'пн', 'вт', 'ср', 'чт', 'пт', 'сб'], NARROWWEEKDAYS: ['н', 'п', 'в', 'с', 'ч', 'п', 'с'], STANDALONENARROWWEEKDAYS: ['н', 'п', 'в', 'с', 'ч', 'п', 'с'], SHORTQUARTERS: ['I трим.', 'II трим.', 'III трим.', 'IV трим.'], QUARTERS: ['1-во тримесечие', '2-ро тримесечие', '3-то тримесечие', '4-то тримесечие'], AMPMS: ['пр. об.', 'сл. об.'], DATEFORMATS: ['dd MMMM y, EEEE', 'dd MMMM y', 'dd.MM.yyyy', 'dd.MM.yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale bn. */ goog.i18n.DateTimeSymbols_bn = { ZERODIGIT: 0x09E6, ERAS: ['খৃষ্টপূর্ব', 'খৃষ্টাব্দ'], ERANAMES: ['খৃষ্টপূর্ব', 'খৃষ্টাব্দ'], NARROWMONTHS: ['জা', 'ফে', 'মা', 'এ', 'মে', 'জুন', 'জু', 'আ', 'সে', 'অ', 'ন', 'ডি'], STANDALONENARROWMONTHS: ['জা', 'ফে', 'মা', 'এ', 'মে', 'জুন', 'জু', 'আ', 'সে', 'অ', 'ন', 'ডি'], MONTHS: ['জানুয়ারী', 'ফেব্রুয়ারী', 'মার্চ', 'এপ্রিল', 'মে', 'জুন', 'জুলাই', 'আগস্ট', 'সেপ্টেম্বর', 'অক্টোবর', 'নভেম্বর', 'ডিসেম্বর'], STANDALONEMONTHS: ['জানুয়ারী', 'ফেব্রুয়ারী', 'মার্চ', 'এপ্রিল', 'মে', 'জুন', 'জুলাই', 'আগস্ট', 'সেপ্টেম্বর', 'অক্টোবর', 'নভেম্বর', 'ডিসেম্বর'], SHORTMONTHS: ['জানুয়ারী', 'ফেব্রুয়ারী', 'মার্চ', 'এপ্রিল', 'মে', 'জুন', 'জুলাই', 'আগস্ট', 'সেপ্টেম্বর', 'অক্টোবর', 'নভেম্বর', 'ডিসেম্বর'], STANDALONESHORTMONTHS: ['জানুয়ারী', 'ফেব্রুয়ারী', 'মার্চ', 'এপ্রিল', 'মে', 'জুন', 'জুলাই', 'আগস্ট', 'সেপ্টেম্বর', 'অক্টোবর', 'নভেম্বর', 'ডিসেম্বর'], WEEKDAYS: ['রবিবার', 'সোমবার', 'মঙ্গলবার', 'বুধবার', 'বৃহষ্পতিবার', 'শুক্রবার', 'শনিবার'], STANDALONEWEEKDAYS: ['রবিবার', 'সোমবার', 'মঙ্গলবার', 'বুধবার', 'বৃহষ্পতিবার', 'শুক্রবার', 'শনিবার'], SHORTWEEKDAYS: ['রবি', 'সোম', 'মঙ্গল', 'বুধ', 'বৃহস্পতি', 'শুক্র', 'শনি'], STANDALONESHORTWEEKDAYS: ['রবি', 'সোম', 'মঙ্গল', 'বুধ', 'বৃহস্পতি', 'শুক্র', 'শনি'], NARROWWEEKDAYS: ['র', 'সো', 'ম', 'বু', 'বৃ', 'শু', 'শ'], STANDALONENARROWWEEKDAYS: ['র', 'সো', 'ম', 'বু', 'বৃ', 'শু', 'শ'], SHORTQUARTERS: ['চতুর্থাংশ ১', 'চতুর্থাংশ ২', 'চতুর্থাংশ ৩', 'চতুর্থাংশ ৪'], QUARTERS: ['প্রথম চতুর্থাংশ', 'দ্বিতীয় চতুর্থাংশ', 'তৃতীয় চতুর্থাংশ', 'চতুর্থ চতুর্থাংশ'], AMPMS: ['am', 'pm'], DATEFORMATS: ['EEEE, d MMMM, y', 'd MMMM, y', 'd MMM, y', 'd/M/yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 4, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale ca. */ goog.i18n.DateTimeSymbols_ca = { ERAS: ['aC', 'dC'], ERANAMES: ['abans de Crist', 'després de Crist'], NARROWMONTHS: ['G', 'F', 'M', 'A', 'M', 'J', 'G', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['g', 'f', 'm', 'a', 'm', 'j', 'j', 'a', 's', 'o', 'n', 'd'], MONTHS: ['de gener', 'de febrer', 'de març', 'd’abril', 'de maig', 'de juny', 'de juliol', 'd’agost', 'de setembre', 'd’octubre', 'de novembre', 'de desembre'], STANDALONEMONTHS: ['gener', 'febrer', 'març', 'abril', 'maig', 'juny', 'juliol', 'agost', 'setembre', 'octubre', 'novembre', 'desembre'], SHORTMONTHS: ['de gen.', 'de febr.', 'de març', 'd’abr.', 'de maig', 'de juny', 'de jul.', 'd’ag.', 'de set.', 'd’oct.', 'de nov.', 'de des.'], STANDALONESHORTMONTHS: ['gen.', 'febr.', 'març', 'abr.', 'maig', 'juny', 'jul.', 'ag.', 'set.', 'oct.', 'nov.', 'des.'], WEEKDAYS: ['diumenge', 'dilluns', 'dimarts', 'dimecres', 'dijous', 'divendres', 'dissabte'], STANDALONEWEEKDAYS: ['Diumenge', 'Dilluns', 'Dimarts', 'Dimecres', 'Dijous', 'Divendres', 'Dissabte'], SHORTWEEKDAYS: ['dg.', 'dl.', 'dt.', 'dc.', 'dj.', 'dv.', 'ds.'], STANDALONESHORTWEEKDAYS: ['dg', 'dl', 'dt', 'dc', 'dj', 'dv', 'ds'], NARROWWEEKDAYS: ['G', 'l', 'T', 'C', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['g', 'l', 't', 'c', 'j', 'v', 's'], SHORTQUARTERS: ['1T', '2T', '3T', '4T'], QUARTERS: ['1r trimestre', '2n trimestre', '3r trimestre', '4t trimestre'], AMPMS: ['a.m.', 'p.m.'], DATEFORMATS: ['EEEE d MMMM \'de\' y', 'd MMMM \'de\' y', 'dd/MM/yyyy', 'dd/MM/yy'], TIMEFORMATS: ['H:mm:ss zzzz', 'H:mm:ss z', 'H:mm:ss', 'H:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale chr. */ goog.i18n.DateTimeSymbols_chr = { ERAS: ['ᎤᏓᎷᎸ', 'ᎤᎶᏐᏅ'], ERANAMES: ['Ꮟ ᏥᏌ ᎾᏕᎲᏍᎬᎾ', 'ᎠᎩᏃᎮᎵᏓᏍᏗᏱ ᎠᏕᏘᏱᏍᎬ ᏱᎰᏩ ᏧᏓᏂᎸᎢᏍᏗ'], NARROWMONTHS: ['Ꭴ', 'Ꭷ', 'Ꭰ', 'Ꭷ', 'Ꭰ', 'Ꮥ', 'Ꭻ', 'Ꭶ', 'Ꮪ', 'Ꮪ', 'Ꮕ', 'Ꭴ'], STANDALONENARROWMONTHS: ['Ꭴ', 'Ꭷ', 'Ꭰ', 'Ꭷ', 'Ꭰ', 'Ꮥ', 'Ꭻ', 'Ꭶ', 'Ꮪ', 'Ꮪ', 'Ꮕ', 'Ꭴ'], MONTHS: ['ᎤᏃᎸᏔᏅ', 'ᎧᎦᎵ', 'ᎠᏅᏱ', 'ᎧᏬᏂ', 'ᎠᏂᏍᎬᏘ', 'ᏕᎭᎷᏱ', 'ᎫᏰᏉᏂ', 'ᎦᎶᏂ', 'ᏚᎵᏍᏗ', 'ᏚᏂᏅᏗ', 'ᏅᏓᏕᏆ', 'ᎤᏍᎩᏱ'], STANDALONEMONTHS: ['ᎤᏃᎸᏔᏅ', 'ᎧᎦᎵ', 'ᎠᏅᏱ', 'ᎧᏬᏂ', 'ᎠᏂᏍᎬᏘ', 'ᏕᎭᎷᏱ', 'ᎫᏰᏉᏂ', 'ᎦᎶᏂ', 'ᏚᎵᏍᏗ', 'ᏚᏂᏅᏗ', 'ᏅᏓᏕᏆ', 'ᎤᏍᎩᏱ'], SHORTMONTHS: ['ᎤᏃ', 'ᎧᎦ', 'ᎠᏅ', 'ᎧᏬ', 'ᎠᏂ', 'ᏕᎭ', 'ᎫᏰ', 'ᎦᎶ', 'ᏚᎵ', 'ᏚᏂ', 'ᏅᏓ', 'ᎤᏍ'], STANDALONESHORTMONTHS: ['ᎤᏃ', 'ᎧᎦ', 'ᎠᏅ', 'ᎧᏬ', 'ᎠᏂ', 'ᏕᎭ', 'ᎫᏰ', 'ᎦᎶ', 'ᏚᎵ', 'ᏚᏂ', 'ᏅᏓ', 'ᎤᏍ'], WEEKDAYS: ['ᎤᎾᏙᏓᏆᏍᎬ', 'ᎤᎾᏙᏓᏉᏅᎯ', 'ᏔᎵᏁᎢᎦ', 'ᏦᎢᏁᎢᎦ', 'ᏅᎩᏁᎢᎦ', 'ᏧᎾᎩᎶᏍᏗ', 'ᎤᎾᏙᏓᏈᏕᎾ'], STANDALONEWEEKDAYS: ['ᎤᎾᏙᏓᏆᏍᎬ', 'ᎤᎾᏙᏓᏉᏅᎯ', 'ᏔᎵᏁᎢᎦ', 'ᏦᎢᏁᎢᎦ', 'ᏅᎩᏁᎢᎦ', 'ᏧᎾᎩᎶᏍᏗ', 'ᎤᎾᏙᏓᏈᏕᎾ'], SHORTWEEKDAYS: ['ᏆᏍᎬ', 'ᏉᏅᎯ', 'ᏔᎵᏁ', 'ᏦᎢᏁ', 'ᏅᎩᏁ', 'ᏧᎾᎩ', 'ᏈᏕᎾ'], STANDALONESHORTWEEKDAYS: ['ᏆᏍᎬ', 'ᏉᏅᎯ', 'ᏔᎵᏁ', 'ᏦᎢᏁ', 'ᏅᎩᏁ', 'ᏧᎾᎩ', 'ᏈᏕᎾ'], NARROWWEEKDAYS: ['Ꮖ', 'Ꮙ', 'Ꮤ', 'Ꮶ', 'Ꮕ', 'Ꮷ', 'Ꭴ'], STANDALONENARROWWEEKDAYS: ['Ꮖ', 'Ꮙ', 'Ꮤ', 'Ꮶ', 'Ꮕ', 'Ꮷ', 'Ꭴ'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], AMPMS: ['ᏌᎾᎴ', 'ᏒᎯᏱᎢᏗᏢ'], DATEFORMATS: ['EEEE, MMMM d, y', 'MMMM d, y', 'MMM d, y', 'M/d/yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale cs. */ goog.i18n.DateTimeSymbols_cs = { ERAS: ['př. n. l.', 'n. l.'], ERANAMES: ['př. n. l.', 'n. l.'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['l', 'ú', 'b', 'd', 'k', 'č', 'č', 's', 'z', 'ř', 'l', 'p'], MONTHS: ['ledna', 'února', 'března', 'dubna', 'května', 'června', 'července', 'srpna', 'září', 'října', 'listopadu', 'prosince'], STANDALONEMONTHS: ['leden', 'únor', 'březen', 'duben', 'květen', 'červen', 'červenec', 'srpen', 'září', 'říjen', 'listopad', 'prosinec'], SHORTMONTHS: ['Led', 'Úno', 'Bře', 'Dub', 'Kvě', 'Čer', 'Čvc', 'Srp', 'Zář', 'Říj', 'Lis', 'Pro'], STANDALONESHORTMONTHS: ['1.', '2.', '3.', '4.', '5.', '6.', '7.', '8.', '9.', '10.', '11.', '12.'], WEEKDAYS: ['neděle', 'pondělí', 'úterý', 'středa', 'čtvrtek', 'pátek', 'sobota'], STANDALONEWEEKDAYS: ['neděle', 'pondělí', 'úterý', 'středa', 'čtvrtek', 'pátek', 'sobota'], SHORTWEEKDAYS: ['ne', 'po', 'út', 'st', 'čt', 'pá', 'so'], STANDALONESHORTWEEKDAYS: ['ne', 'po', 'út', 'st', 'čt', 'pá', 'so'], NARROWWEEKDAYS: ['N', 'P', 'Ú', 'S', 'Č', 'P', 'S'], STANDALONENARROWWEEKDAYS: ['N', 'P', 'Ú', 'S', 'Č', 'P', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['1. čtvrtletí', '2. čtvrtletí', '3. čtvrtletí', '4. čtvrtletí'], AMPMS: ['dop.', 'odp.'], DATEFORMATS: ['EEEE, d. MMMM y', 'd. MMMM y', 'd. M. yyyy', 'dd.MM.yy'], TIMEFORMATS: ['H:mm:ss zzzz', 'H:mm:ss z', 'H:mm:ss', 'H:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale cy. */ goog.i18n.DateTimeSymbols_cy = { ERAS: ['CC', 'OC'], ERANAMES: ['Cyn Crist', 'Oed Crist'], NARROWMONTHS: ['I', 'C', 'M', 'E', 'M', 'M', 'G', 'A', 'M', 'H', 'T', 'R'], STANDALONENARROWMONTHS: ['I', 'C', 'M', 'E', 'M', 'M', 'G', 'A', 'M', 'H', 'T', 'R'], MONTHS: ['Ionawr', 'Chwefror', 'Mawrth', 'Ebrill', 'Mai', 'Mehefin', 'Gorffenaf', 'Awst', 'Medi', 'Hydref', 'Tachwedd', 'Rhagfyr'], STANDALONEMONTHS: ['Ionawr', 'Chwefror', 'Mawrth', 'Ebrill', 'Mai', 'Mehefin', 'Gorffennaf', 'Awst', 'Medi', 'Hydref', 'Tachwedd', 'Rhagfyr'], SHORTMONTHS: ['Ion', 'Chwef', 'Mawrth', 'Ebrill', 'Mai', 'Meh', 'Gorff', 'Awst', 'Medi', 'Hyd', 'Tach', 'Rhag'], STANDALONESHORTMONTHS: ['Ion', 'Chwe', 'Maw', 'Ebr', 'Mai', 'Meh', 'Gor', 'Awst', 'Medi', 'Hyd', 'Tach', 'Rhag'], WEEKDAYS: ['Dydd Sul', 'Dydd Llun', 'Dydd Mawrth', 'Dydd Mercher', 'Dydd Iau', 'Dydd Gwener', 'Dydd Sadwrn'], STANDALONEWEEKDAYS: ['Dydd Sul', 'Dydd Llun', 'Dydd Mawrth', 'Dydd Mercher', 'Dydd Iau', 'Dydd Gwener', 'Dydd Sadwrn'], SHORTWEEKDAYS: ['Sul', 'Llun', 'Maw', 'Mer', 'Iau', 'Gwen', 'Sad'], STANDALONESHORTWEEKDAYS: ['Sul', 'Llun', 'Maw', 'Mer', 'Iau', 'Gwe', 'Sad'], NARROWWEEKDAYS: ['S', 'L', 'M', 'M', 'I', 'G', 'S'], STANDALONENARROWWEEKDAYS: ['S', 'L', 'M', 'M', 'I', 'G', 'S'], SHORTQUARTERS: ['Ch1', 'Ch2', 'Ch3', 'Ch4'], QUARTERS: ['Chwarter 1af', '2il chwarter', '3ydd chwarter', '4ydd chwarter'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yyyy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale da. */ goog.i18n.DateTimeSymbols_da = { ERAS: ['f.Kr.', 'e.Kr.'], ERANAMES: ['f.Kr.', 'e.Kr.'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['januar', 'februar', 'marts', 'april', 'maj', 'juni', 'juli', 'august', 'september', 'oktober', 'november', 'december'], STANDALONEMONTHS: ['januar', 'februar', 'marts', 'april', 'maj', 'juni', 'juli', 'august', 'september', 'oktober', 'november', 'december'], SHORTMONTHS: ['jan.', 'feb.', 'mar.', 'apr.', 'maj', 'jun.', 'jul.', 'aug.', 'sep.', 'okt.', 'nov.', 'dec.'], STANDALONESHORTMONTHS: ['jan', 'feb', 'mar', 'apr', 'maj', 'jun', 'jul', 'aug', 'sep', 'okt', 'nov', 'dec'], WEEKDAYS: ['søndag', 'mandag', 'tirsdag', 'onsdag', 'torsdag', 'fredag', 'lørdag'], STANDALONEWEEKDAYS: ['søndag', 'mandag', 'tirsdag', 'onsdag', 'torsdag', 'fredag', 'lørdag'], SHORTWEEKDAYS: ['søn', 'man', 'tir', 'ons', 'tor', 'fre', 'lør'], STANDALONESHORTWEEKDAYS: ['søn', 'man', 'tir', 'ons', 'tor', 'fre', 'lør'], NARROWWEEKDAYS: ['S', 'M', 'T', 'O', 'T', 'F', 'L'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'T', 'O', 'T', 'F', 'L'], SHORTQUARTERS: ['K1', 'K2', 'K3', 'K4'], QUARTERS: ['1. kvartal', '2. kvartal', '3. kvartal', '4. kvartal'], AMPMS: ['f.m.', 'e.m.'], DATEFORMATS: ['EEEE \'den\' d. MMMM y', 'd. MMM y', 'dd/MM/yyyy', 'dd/MM/yy'], TIMEFORMATS: ['HH.mm.ss zzzz', 'HH.mm.ss z', 'HH.mm.ss', 'HH.mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale de. */ goog.i18n.DateTimeSymbols_de = { ERAS: ['v. Chr.', 'n. Chr.'], ERANAMES: ['v. Chr.', 'n. Chr.'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['Januar', 'Februar', 'März', 'April', 'Mai', 'Juni', 'Juli', 'August', 'September', 'Oktober', 'November', 'Dezember'], STANDALONEMONTHS: ['Januar', 'Februar', 'März', 'April', 'Mai', 'Juni', 'Juli', 'August', 'September', 'Oktober', 'November', 'Dezember'], SHORTMONTHS: ['Jan', 'Feb', 'Mär', 'Apr', 'Mai', 'Jun', 'Jul', 'Aug', 'Sep', 'Okt', 'Nov', 'Dez'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mär', 'Apr', 'Mai', 'Jun', 'Jul', 'Aug', 'Sep', 'Okt', 'Nov', 'Dez'], WEEKDAYS: ['Sonntag', 'Montag', 'Dienstag', 'Mittwoch', 'Donnerstag', 'Freitag', 'Samstag'], STANDALONEWEEKDAYS: ['Sonntag', 'Montag', 'Dienstag', 'Mittwoch', 'Donnerstag', 'Freitag', 'Samstag'], SHORTWEEKDAYS: ['So.', 'Mo.', 'Di.', 'Mi.', 'Do.', 'Fr.', 'Sa.'], STANDALONESHORTWEEKDAYS: ['So', 'Mo', 'Di', 'Mi', 'Do', 'Fr', 'Sa'], NARROWWEEKDAYS: ['S', 'M', 'D', 'M', 'D', 'F', 'S'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'D', 'M', 'D', 'F', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['1. Quartal', '2. Quartal', '3. Quartal', '4. Quartal'], AMPMS: ['vorm.', 'nachm.'], DATEFORMATS: ['EEEE, d. MMMM y', 'd. MMMM y', 'dd.MM.yyyy', 'dd.MM.yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale de_AT. */ goog.i18n.DateTimeSymbols_de_AT = { ERAS: ['v. Chr.', 'n. Chr.'], ERANAMES: ['v. Chr.', 'n. Chr.'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['Jänner', 'Februar', 'März', 'April', 'Mai', 'Juni', 'Juli', 'August', 'September', 'Oktober', 'November', 'Dezember'], STANDALONEMONTHS: ['Jänner', 'Februar', 'März', 'April', 'Mai', 'Juni', 'Juli', 'August', 'September', 'Oktober', 'November', 'Dezember'], SHORTMONTHS: ['Jän', 'Feb', 'Mär', 'Apr', 'Mai', 'Jun', 'Jul', 'Aug', 'Sep', 'Okt', 'Nov', 'Dez'], STANDALONESHORTMONTHS: ['Jän', 'Feb', 'Mär', 'Apr', 'Mai', 'Jun', 'Jul', 'Aug', 'Sep', 'Okt', 'Nov', 'Dez'], WEEKDAYS: ['Sonntag', 'Montag', 'Dienstag', 'Mittwoch', 'Donnerstag', 'Freitag', 'Samstag'], STANDALONEWEEKDAYS: ['Sonntag', 'Montag', 'Dienstag', 'Mittwoch', 'Donnerstag', 'Freitag', 'Samstag'], SHORTWEEKDAYS: ['So.', 'Mo.', 'Di.', 'Mi.', 'Do.', 'Fr.', 'Sa.'], STANDALONESHORTWEEKDAYS: ['So', 'Mo', 'Di', 'Mi', 'Do', 'Fr', 'Sa'], NARROWWEEKDAYS: ['S', 'M', 'D', 'M', 'D', 'F', 'S'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'D', 'M', 'D', 'F', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['1. Quartal', '2. Quartal', '3. Quartal', '4. Quartal'], AMPMS: ['vorm.', 'nachm.'], DATEFORMATS: ['EEEE, dd. MMMM y', 'dd. MMMM y', 'dd.MM.yyyy', 'dd.MM.yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale de_CH. */ goog.i18n.DateTimeSymbols_de_CH = goog.i18n.DateTimeSymbols_de; /** * Date/time formatting symbols for locale el. */ goog.i18n.DateTimeSymbols_el = { ERAS: ['π.Χ.', 'μ.Χ.'], ERANAMES: ['π.Χ.', 'μ.Χ.'], NARROWMONTHS: ['Ι', 'Φ', 'Μ', 'Α', 'Μ', 'Ι', 'Ι', 'Α', 'Σ', 'Ο', 'Ν', 'Δ'], STANDALONENARROWMONTHS: ['Ι', 'Φ', 'Μ', 'Α', 'Μ', 'Ι', 'Ι', 'Α', 'Σ', 'Ο', 'Ν', 'Δ'], MONTHS: ['Ιανουαρίου', 'Φεβρουαρίου', 'Μαρτίου', 'Απριλίου', 'Μαΐου', 'Ιουνίου', 'Ιουλίου', 'Αυγούστου', 'Σεπτεμβρίου', 'Οκτωβρίου', 'Νοεμβρίου', 'Δεκεμβρίου'], STANDALONEMONTHS: ['Ιανουάριος', 'Φεβρουάριος', 'Μάρτιος', 'Απρίλιος', 'Μάιος', 'Ιούνιος', 'Ιούλιος', 'Αύγουστος', 'Σεπτέμβριος', 'Οκτώβριος', 'Νοέμβριος', 'Δεκέμβριος'], SHORTMONTHS: ['Ιαν', 'Φεβ', 'Μαρ', 'Απρ', 'Μαϊ', 'Ιουν', 'Ιουλ', 'Αυγ', 'Σεπ', 'Οκτ', 'Νοε', 'Δεκ'], STANDALONESHORTMONTHS: ['Ιαν', 'Φεβ', 'Μάρ', 'Απρ', 'Μάι', 'Ιούν', 'Ιούλ', 'Αυγ', 'Σεπ', 'Οκτ', 'Νοέ', 'Δεκ'], WEEKDAYS: ['Κυριακή', 'Δευτέρα', 'Τρίτη', 'Τετάρτη', 'Πέμπτη', 'Παρασκευή', 'Σάββατο'], STANDALONEWEEKDAYS: ['Κυριακή', 'Δευτέρα', 'Τρίτη', 'Τετάρτη', 'Πέμπτη', 'Παρασκευή', 'Σάββατο'], SHORTWEEKDAYS: ['Κυρ', 'Δευ', 'Τρι', 'Τετ', 'Πεμ', 'Παρ', 'Σαβ'], STANDALONESHORTWEEKDAYS: ['Κυρ', 'Δευ', 'Τρί', 'Τετ', 'Πέμ', 'Παρ', 'Σάβ'], NARROWWEEKDAYS: ['Κ', 'Δ', 'Τ', 'Τ', 'Π', 'Π', 'Σ'], STANDALONENARROWWEEKDAYS: ['Κ', 'Δ', 'Τ', 'Τ', 'Π', 'Π', 'Σ'], SHORTQUARTERS: ['Τ1', 'Τ2', 'Τ3', 'Τ4'], QUARTERS: ['1ο τρίμηνο', '2ο τρίμηνο', '3ο τρίμηνο', '4ο τρίμηνο'], AMPMS: ['π.μ.', 'μ.μ.'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'd/M/yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale en. */ goog.i18n.DateTimeSymbols_en = { ERAS: ['BC', 'AD'], ERANAMES: ['Before Christ', 'Anno Domini'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], STANDALONEMONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], SHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], WEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], STANDALONEWEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], SHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], STANDALONESHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], NARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['1st quarter', '2nd quarter', '3rd quarter', '4th quarter'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, MMMM d, y', 'MMMM d, y', 'MMM d, y', 'M/d/yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale en_AU. */ goog.i18n.DateTimeSymbols_en_AU = { ERAS: ['BC', 'AD'], ERANAMES: ['Before Christ', 'Anno Domini'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], STANDALONEMONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], SHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], WEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], STANDALONEWEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], SHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], STANDALONESHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], NARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['1st quarter', '2nd quarter', '3rd quarter', '4th quarter'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'dd/MM/yyyy', 'd/MM/yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale en_GB. */ goog.i18n.DateTimeSymbols_en_GB = { ERAS: ['BC', 'AD'], ERANAMES: ['Before Christ', 'Anno Domini'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], STANDALONEMONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], SHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], WEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], STANDALONEWEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], SHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], STANDALONESHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], NARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['1st quarter', '2nd quarter', '3rd quarter', '4th quarter'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yyyy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale en_IE. */ goog.i18n.DateTimeSymbols_en_IE = { ERAS: ['BC', 'AD'], ERANAMES: ['Before Christ', 'Anno Domini'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], STANDALONEMONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], SHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], WEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], STANDALONEWEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], SHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], STANDALONESHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], NARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['1st quarter', '2nd quarter', '3rd quarter', '4th quarter'], AMPMS: ['a.m.', 'p.m.'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yyyy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale en_IN. */ goog.i18n.DateTimeSymbols_en_IN = { ERAS: ['BC', 'AD'], ERANAMES: ['Before Christ', 'Anno Domini'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], STANDALONEMONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], SHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], WEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], STANDALONEWEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], SHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], STANDALONESHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], NARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['1st quarter', '2nd quarter', '3rd quarter', '4th quarter'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'dd-MMM-y', 'dd/MM/yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [6, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale en_SG. */ goog.i18n.DateTimeSymbols_en_SG = { ERAS: ['BC', 'AD'], ERANAMES: ['Before Christ', 'Anno Domini'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], STANDALONEMONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], SHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], WEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], STANDALONEWEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], SHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], STANDALONESHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], NARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['1st quarter', '2nd quarter', '3rd quarter', '4th quarter'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, d MMMM, y', 'd MMMM, y', 'd MMM, y', 'd/M/yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale en_US. */ goog.i18n.DateTimeSymbols_en_US = goog.i18n.DateTimeSymbols_en; /** * Date/time formatting symbols for locale en_ZA. */ goog.i18n.DateTimeSymbols_en_ZA = { ERAS: ['BC', 'AD'], ERANAMES: ['Before Christ', 'Anno Domini'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], STANDALONEMONTHS: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'], SHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'], WEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], STANDALONEWEEKDAYS: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'], SHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], STANDALONESHORTWEEKDAYS: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'], NARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'T', 'W', 'T', 'F', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['1st quarter', '2nd quarter', '3rd quarter', '4th quarter'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE dd MMMM y', 'dd MMMM y', 'dd MMM y', 'yyyy/MM/dd'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale es. */ goog.i18n.DateTimeSymbols_es = { ERAS: ['a.C.', 'd.C.'], ERANAMES: ['antes de Cristo', 'anno Dómini'], NARROWMONTHS: ['E', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['E', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['enero', 'febrero', 'marzo', 'abril', 'mayo', 'junio', 'julio', 'agosto', 'septiembre', 'octubre', 'noviembre', 'diciembre'], STANDALONEMONTHS: ['enero', 'febrero', 'marzo', 'abril', 'mayo', 'junio', 'julio', 'agosto', 'septiembre', 'octubre', 'noviembre', 'diciembre'], SHORTMONTHS: ['ene', 'feb', 'mar', 'abr', 'may', 'jun', 'jul', 'ago', 'sep', 'oct', 'nov', 'dic'], STANDALONESHORTMONTHS: ['ene', 'feb', 'mar', 'abr', 'mayo', 'jun', 'jul', 'ago', 'sep', 'oct', 'nov', 'dic'], WEEKDAYS: ['domingo', 'lunes', 'martes', 'miércoles', 'jueves', 'viernes', 'sábado'], STANDALONEWEEKDAYS: ['domingo', 'lunes', 'martes', 'miércoles', 'jueves', 'viernes', 'sábado'], SHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mié', 'jue', 'vie', 'sáb'], STANDALONESHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mié', 'jue', 'vie', 'sáb'], NARROWWEEKDAYS: ['D', 'L', 'M', 'X', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'X', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2º trimestre', '3er trimestre', '4º trimestre'], AMPMS: ['a.m.', 'p.m.'], DATEFORMATS: ['EEEE, d \'de\' MMMM \'de\' y', 'd \'de\' MMMM \'de\' y', 'dd/MM/yyyy', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale es_419. */ goog.i18n.DateTimeSymbols_es_419 = { ERAS: ['a.C.', 'd.C.'], ERANAMES: ['antes de Cristo', 'anno Dómini'], NARROWMONTHS: ['E', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['E', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['enero', 'febrero', 'marzo', 'abril', 'mayo', 'junio', 'julio', 'agosto', 'septiembre', 'octubre', 'noviembre', 'diciembre'], STANDALONEMONTHS: ['enero', 'febrero', 'marzo', 'abril', 'mayo', 'junio', 'julio', 'agosto', 'septiembre', 'octubre', 'noviembre', 'diciembre'], SHORTMONTHS: ['ene', 'feb', 'mar', 'abr', 'may', 'jun', 'jul', 'ago', 'sep', 'oct', 'nov', 'dic'], STANDALONESHORTMONTHS: ['ene', 'feb', 'mar', 'abr', 'mayo', 'jun', 'jul', 'ago', 'sep', 'oct', 'nov', 'dic'], WEEKDAYS: ['domingo', 'lunes', 'martes', 'miércoles', 'jueves', 'viernes', 'sábado'], STANDALONEWEEKDAYS: ['domingo', 'lunes', 'martes', 'miércoles', 'jueves', 'viernes', 'sábado'], SHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mié', 'jue', 'vie', 'sáb'], STANDALONESHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mié', 'jue', 'vie', 'sáb'], NARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2º trimestre', '3er trimestre', '4º trimestre'], AMPMS: ['a.m.', 'p.m.'], DATEFORMATS: ['EEEE, d \'de\' MMMM \'de\' y', 'd \'de\' MMMM \'de\' y', 'dd/MM/yyyy', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale et. */ goog.i18n.DateTimeSymbols_et = { ERAS: ['e.m.a.', 'm.a.j.'], ERANAMES: ['enne meie aega', 'meie aja järgi'], NARROWMONTHS: ['J', 'V', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'V', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['jaanuar', 'veebruar', 'märts', 'aprill', 'mai', 'juuni', 'juuli', 'august', 'september', 'oktoober', 'november', 'detsember'], STANDALONEMONTHS: ['jaanuar', 'veebruar', 'märts', 'aprill', 'mai', 'juuni', 'juuli', 'august', 'september', 'oktoober', 'november', 'detsember'], SHORTMONTHS: ['jaan', 'veebr', 'märts', 'apr', 'mai', 'juuni', 'juuli', 'aug', 'sept', 'okt', 'nov', 'dets'], STANDALONESHORTMONTHS: ['jaan', 'veebr', 'märts', 'apr', 'mai', 'juuni', 'juuli', 'aug', 'sept', 'okt', 'nov', 'dets'], WEEKDAYS: ['pühapäev', 'esmaspäev', 'teisipäev', 'kolmapäev', 'neljapäev', 'reede', 'laupäev'], STANDALONEWEEKDAYS: ['pühapäev', 'esmaspäev', 'teisipäev', 'kolmapäev', 'neljapäev', 'reede', 'laupäev'], SHORTWEEKDAYS: ['P', 'E', 'T', 'K', 'N', 'R', 'L'], STANDALONESHORTWEEKDAYS: ['P', 'E', 'T', 'K', 'N', 'R', 'L'], NARROWWEEKDAYS: ['P', 'E', 'T', 'K', 'N', 'R', 'L'], STANDALONENARROWWEEKDAYS: ['P', 'E', 'T', 'K', 'N', 'R', 'L'], SHORTQUARTERS: ['K1', 'K2', 'K3', 'K4'], QUARTERS: ['1. kvartal', '2. kvartal', '3. kvartal', '4. kvartal'], AMPMS: ['enne keskpäeva', 'pärast keskpäeva'], DATEFORMATS: ['EEEE, d. MMMM y', 'd. MMMM y', 'dd.MM.yyyy', 'dd.MM.yy'], TIMEFORMATS: ['H:mm.ss zzzz', 'H:mm.ss z', 'H:mm.ss', 'H:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale eu. */ goog.i18n.DateTimeSymbols_eu = { ERAS: ['K.a.', 'K.o.'], ERANAMES: ['K.a.', 'K.o.'], NARROWMONTHS: ['U', 'O', 'M', 'A', 'M', 'E', 'U', 'A', 'I', 'U', 'A', 'A'], STANDALONENARROWMONTHS: ['U', 'O', 'M', 'A', 'M', 'E', 'U', 'A', 'I', 'U', 'A', 'A'], MONTHS: ['urtarrila', 'otsaila', 'martxoa', 'apirila', 'maiatza', 'ekaina', 'uztaila', 'abuztua', 'iraila', 'urria', 'azaroa', 'abendua'], STANDALONEMONTHS: ['urtarrila', 'otsaila', 'martxoa', 'apirila', 'maiatza', 'ekaina', 'uztaila', 'abuztua', 'iraila', 'urria', 'azaroa', 'abendua'], SHORTMONTHS: ['urt', 'ots', 'mar', 'api', 'mai', 'eka', 'uzt', 'abu', 'ira', 'urr', 'aza', 'abe'], STANDALONESHORTMONTHS: ['urt', 'ots', 'mar', 'api', 'mai', 'eka', 'uzt', 'abu', 'ira', 'urr', 'aza', 'abe'], WEEKDAYS: ['igandea', 'astelehena', 'asteartea', 'asteazkena', 'osteguna', 'ostirala', 'larunbata'], STANDALONEWEEKDAYS: ['igandea', 'astelehena', 'asteartea', 'asteazkena', 'osteguna', 'ostirala', 'larunbata'], SHORTWEEKDAYS: ['ig', 'al', 'as', 'az', 'og', 'or', 'lr'], STANDALONESHORTWEEKDAYS: ['ig', 'al', 'as', 'az', 'og', 'or', 'lr'], NARROWWEEKDAYS: ['I', 'M', 'A', 'A', 'A', 'O', 'I'], STANDALONENARROWWEEKDAYS: ['I', 'M', 'A', 'L', 'A', 'O', 'I'], SHORTQUARTERS: ['1Hh', '2Hh', '3Hh', '4Hh'], QUARTERS: ['1. hiruhilekoa', '2. hiruhilekoa', '3. hiruhilekoa', '4. hiruhilekoa'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, y\'eko\' MMMM\'ren\' dd\'a\'', 'y\'eko\' MMM\'ren\' dd\'a\'', 'y MMM d', 'yyyy-MM-dd'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale fa. */ goog.i18n.DateTimeSymbols_fa = { ZERODIGIT: 0x06F0, ERAS: ['ق.م.', 'م.'], ERANAMES: ['قبل از میلاد', 'میلادی'], NARROWMONTHS: ['ژ', 'ف', 'م', 'آ', 'م', 'ژ', 'ژ', 'ا', 'س', 'ا', 'ن', 'د'], STANDALONENARROWMONTHS: ['ژ', 'ف', 'م', 'آ', 'م', 'ژ', 'ژ', 'ا', 'س', 'ا', 'ن', 'د'], MONTHS: ['ژانویهٔ', 'فوریهٔ', 'مارس', 'آوریل', 'مهٔ', 'ژوئن', 'ژوئیهٔ', 'اوت', 'سپتامبر', 'اکتبر', 'نوامبر', 'دسامبر'], STANDALONEMONTHS: ['ژانویه', 'فوریه', 'مارس', 'آوریل', 'مه', 'ژوئن', 'ژوئیه', 'اوت', 'سپتامبر', 'اکتبر', 'نوامبر', 'دسامبر'], SHORTMONTHS: ['ژانویهٔ', 'فوریهٔ', 'مارس', 'آوریل', 'مهٔ', 'ژوئن', 'ژوئیهٔ', 'اوت', 'سپتامبر', 'اکتبر', 'نوامبر', 'دسامبر'], STANDALONESHORTMONTHS: ['ژانویه', 'فوریه', 'مارس', 'آوریل', 'مه', 'ژوئن', 'ژوئیه', 'اوت', 'سپتامبر', 'اکتبر', 'نوامبر', 'دسامبر'], WEEKDAYS: ['یکشنبه', 'دوشنبه', 'سه‌شنبه', 'چهارشنبه', 'پنجشنبه', 'جمعه', 'شنبه'], STANDALONEWEEKDAYS: ['یکشنبه', 'دوشنبه', 'سه‌شنبه', 'چهارشنبه', 'پنجشنبه', 'جمعه', 'شنبه'], SHORTWEEKDAYS: ['یکشنبه', 'دوشنبه', 'سه‌شنبه', 'چهارشنبه', 'پنجشنبه', 'جمعه', 'شنبه'], STANDALONESHORTWEEKDAYS: ['یکشنبه', 'دوشنبه', 'سه‌شنبه', 'چهارشنبه', 'پنجشنبه', 'جمعه', 'شنبه'], NARROWWEEKDAYS: ['ی', 'د', 'س', 'چ', 'پ', 'ج', 'ش'], STANDALONENARROWWEEKDAYS: ['ی', 'د', 'س', 'چ', 'پ', 'ج', 'ش'], SHORTQUARTERS: ['س‌م۱', 'س‌م۲', 'س‌م۳', 'س‌م۴'], QUARTERS: ['سه‌ماههٔ اول', 'سه‌ماههٔ دوم', 'سه‌ماههٔ سوم', 'سه‌ماههٔ چهارم'], AMPMS: ['قبل‌ازظهر', 'بعدازظهر'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'yyyy/M/d'], TIMEFORMATS: ['H:mm:ss (zzzz)', 'H:mm:ss (z)', 'H:mm:ss', 'H:mm'], FIRSTDAYOFWEEK: 5, WEEKENDRANGE: [3, 4], FIRSTWEEKCUTOFFDAY: 4 }; /** * Date/time formatting symbols for locale fi. */ goog.i18n.DateTimeSymbols_fi = { ERAS: ['eKr.', 'jKr.'], ERANAMES: ['ennen Kristuksen syntymää', 'jälkeen Kristuksen syntymän'], NARROWMONTHS: ['T', 'H', 'M', 'H', 'T', 'K', 'H', 'E', 'S', 'L', 'M', 'J'], STANDALONENARROWMONTHS: ['T', 'H', 'M', 'H', 'T', 'K', 'H', 'E', 'S', 'L', 'M', 'J'], MONTHS: ['tammikuuta', 'helmikuuta', 'maaliskuuta', 'huhtikuuta', 'toukokuuta', 'kesäkuuta', 'heinäkuuta', 'elokuuta', 'syyskuuta', 'lokakuuta', 'marraskuuta', 'joulukuuta'], STANDALONEMONTHS: ['tammikuu', 'helmikuu', 'maaliskuu', 'huhtikuu', 'toukokuu', 'kesäkuu', 'heinäkuu', 'elokuu', 'syyskuu', 'lokakuu', 'marraskuu', 'joulukuu'], SHORTMONTHS: ['tammikuuta', 'helmikuuta', 'maaliskuuta', 'huhtikuuta', 'toukokuuta', 'kesäkuuta', 'heinäkuuta', 'elokuuta', 'syyskuuta', 'lokakuuta', 'marraskuuta', 'joulukuuta'], STANDALONESHORTMONTHS: ['tammi', 'helmi', 'maalis', 'huhti', 'touko', 'kesä', 'heinä', 'elo', 'syys', 'loka', 'marras', 'joulu'], WEEKDAYS: ['sunnuntaina', 'maanantaina', 'tiistaina', 'keskiviikkona', 'torstaina', 'perjantaina', 'lauantaina'], STANDALONEWEEKDAYS: ['sunnuntai', 'maanantai', 'tiistai', 'keskiviikko', 'torstai', 'perjantai', 'lauantai'], SHORTWEEKDAYS: ['su', 'ma', 'ti', 'ke', 'to', 'pe', 'la'], STANDALONESHORTWEEKDAYS: ['su', 'ma', 'ti', 'ke', 'to', 'pe', 'la'], NARROWWEEKDAYS: ['S', 'M', 'T', 'K', 'T', 'P', 'L'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'T', 'K', 'T', 'P', 'L'], SHORTQUARTERS: ['1. nelj.', '2. nelj.', '3. nelj.', '4. nelj.'], QUARTERS: ['1. neljännes', '2. neljännes', '3. neljännes', '4. neljännes'], AMPMS: ['ap.', 'ip.'], DATEFORMATS: ['cccc, d. MMMM y', 'd. MMMM y', 'd.M.yyyy', 'd.M.yyyy'], TIMEFORMATS: ['H.mm.ss zzzz', 'H.mm.ss z', 'H.mm.ss', 'H.mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale fil. */ goog.i18n.DateTimeSymbols_fil = { ERAS: ['BC', 'AD'], ERANAMES: ['BC', 'AD'], NARROWMONTHS: ['E', 'P', 'M', 'A', 'M', 'H', 'H', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['E', 'P', 'M', 'A', 'M', 'H', 'H', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['Enero', 'Pebrero', 'Marso', 'Abril', 'Mayo', 'Hunyo', 'Hulyo', 'Agosto', 'Setyembre', 'Oktubre', 'Nobyembre', 'Disyembre'], STANDALONEMONTHS: ['Enero', 'Pebrero', 'Marso', 'Abril', 'Mayo', 'Hunyo', 'Hulyo', 'Agosto', 'Setyembre', 'Oktubre', 'Nobyembre', 'Disyembre'], SHORTMONTHS: ['Ene', 'Peb', 'Mar', 'Abr', 'May', 'Hun', 'Hul', 'Ago', 'Set', 'Okt', 'Nob', 'Dis'], STANDALONESHORTMONTHS: ['Ene', 'Peb', 'Mar', 'Abr', 'May', 'Hun', 'Hul', 'Ago', 'Set', 'Okt', 'Nob', 'Dis'], WEEKDAYS: ['Linggo', 'Lunes', 'Martes', 'Miyerkules', 'Huwebes', 'Biyernes', 'Sabado'], STANDALONEWEEKDAYS: ['Linggo', 'Lunes', 'Martes', 'Miyerkules', 'Huwebes', 'Biyernes', 'Sabado'], SHORTWEEKDAYS: ['Lin', 'Lun', 'Mar', 'Mye', 'Huw', 'Bye', 'Sab'], STANDALONESHORTWEEKDAYS: ['Lin', 'Lun', 'Mar', 'Miy', 'Huw', 'Biy', 'Sab'], NARROWWEEKDAYS: ['L', 'L', 'M', 'M', 'H', 'B', 'S'], STANDALONENARROWWEEKDAYS: ['L', 'L', 'M', 'M', 'H', 'B', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['ika-1 sangkapat', 'ika-2 sangkapat', 'ika-3 quarter', 'ika-4 na quarter'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, MMMM dd y', 'MMMM d, y', 'MMM d, y', 'M/d/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale fr. */ goog.i18n.DateTimeSymbols_fr = { ERAS: ['av. J.-C.', 'ap. J.-C.'], ERANAMES: ['avant Jésus-Christ', 'après Jésus-Christ'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], STANDALONEMONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], SHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], STANDALONESHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], WEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], STANDALONEWEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], SHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], STANDALONESHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], NARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2e trimestre', '3e trimestre', '4e trimestre'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale fr_CA. */ goog.i18n.DateTimeSymbols_fr_CA = { ERAS: ['av. J.-C.', 'ap. J.-C.'], ERANAMES: ['avant Jésus-Christ', 'après Jésus-Christ'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], STANDALONEMONTHS: ['janvier', 'février', 'mars', 'avril', 'mai', 'juin', 'juillet', 'août', 'septembre', 'octobre', 'novembre', 'décembre'], SHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], STANDALONESHORTMONTHS: ['janv.', 'févr.', 'mars', 'avr.', 'mai', 'juin', 'juil.', 'août', 'sept.', 'oct.', 'nov.', 'déc.'], WEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], STANDALONEWEEKDAYS: ['dimanche', 'lundi', 'mardi', 'mercredi', 'jeudi', 'vendredi', 'samedi'], SHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], STANDALONESHORTWEEKDAYS: ['dim.', 'lun.', 'mar.', 'mer.', 'jeu.', 'ven.', 'sam.'], NARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1er trimestre', '2e trimestre', '3e trimestre', '4e trimestre'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'yyyy-MM-dd', 'yy-MM-dd'], TIMEFORMATS: ['HH \'h\' mm \'min\' ss \'s\' zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale gl. */ goog.i18n.DateTimeSymbols_gl = { ERAS: ['a.C.', 'd.C.'], ERANAMES: ['antes de Cristo', 'despois de Cristo'], NARROWMONTHS: ['X', 'F', 'M', 'A', 'M', 'X', 'X', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['X', 'F', 'M', 'A', 'M', 'X', 'X', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['Xaneiro', 'Febreiro', 'Marzo', 'Abril', 'Maio', 'Xuño', 'Xullo', 'Agosto', 'Setembro', 'Outubro', 'Novembro', 'Decembro'], STANDALONEMONTHS: ['Xaneiro', 'Febreiro', 'Marzo', 'Abril', 'Maio', 'Xuño', 'Xullo', 'Agosto', 'Setembro', 'Outubro', 'Novembro', 'Decembro'], SHORTMONTHS: ['Xan', 'Feb', 'Mar', 'Abr', 'Mai', 'Xuñ', 'Xul', 'Ago', 'Set', 'Out', 'Nov', 'Dec'], STANDALONESHORTMONTHS: ['Xan', 'Feb', 'Mar', 'Abr', 'Mai', 'Xuñ', 'Xul', 'Ago', 'Set', 'Out', 'Nov', 'Dec'], WEEKDAYS: ['Domingo', 'Luns', 'Martes', 'Mércores', 'Xoves', 'Venres', 'Sábado'], STANDALONEWEEKDAYS: ['Domingo', 'Luns', 'Martes', 'Mércores', 'Xoves', 'Venres', 'Sábado'], SHORTWEEKDAYS: ['Dom', 'Lun', 'Mar', 'Mér', 'Xov', 'Ven', 'Sáb'], STANDALONESHORTWEEKDAYS: ['Dom', 'Lun', 'Mar', 'Mér', 'Xov', 'Ven', 'Sáb'], NARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'X', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'X', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1o trimestre', '2o trimestre', '3o trimestre', '4o trimestre'], AMPMS: ['a.m.', 'p.m.'], DATEFORMATS: ['EEEE dd MMMM y', 'dd MMMM y', 'd MMM, y', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale gsw. */ goog.i18n.DateTimeSymbols_gsw = { ERAS: ['v. Chr.', 'n. Chr.'], ERANAMES: ['v. Chr.', 'n. Chr.'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['Januar', 'Februar', 'März', 'April', 'Mai', 'Juni', 'Juli', 'Auguscht', 'Septämber', 'Oktoober', 'Novämber', 'Dezämber'], STANDALONEMONTHS: ['Januar', 'Februar', 'März', 'April', 'Mai', 'Juni', 'Juli', 'Auguscht', 'Septämber', 'Oktoober', 'Novämber', 'Dezämber'], SHORTMONTHS: ['Jan', 'Feb', 'Mär', 'Apr', 'Mai', 'Jun', 'Jul', 'Aug', 'Sep', 'Okt', 'Nov', 'Dez'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mär', 'Apr', 'Mai', 'Jun', 'Jul', 'Aug', 'Sep', 'Okt', 'Nov', 'Dez'], WEEKDAYS: ['Sunntig', 'Määntig', 'Ziischtig', 'Mittwuch', 'Dunschtig', 'Friitig', 'Samschtig'], STANDALONEWEEKDAYS: ['Sunntig', 'Määntig', 'Ziischtig', 'Mittwuch', 'Dunschtig', 'Friitig', 'Samschtig'], SHORTWEEKDAYS: ['Su.', 'Mä.', 'Zi.', 'Mi.', 'Du.', 'Fr.', 'Sa.'], STANDALONESHORTWEEKDAYS: ['Su.', 'Mä.', 'Zi.', 'Mi.', 'Du.', 'Fr.', 'Sa.'], NARROWWEEKDAYS: ['S', 'M', 'D', 'M', 'D', 'F', 'S'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'D', 'M', 'D', 'F', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['1. Quartal', '2. Quartal', '3. Quartal', '4. Quartal'], AMPMS: ['vorm.', 'nam.'], DATEFORMATS: ['EEEE, d. MMMM y', 'd. MMMM y', 'dd.MM.yyyy', 'dd.MM.yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale gu. */ goog.i18n.DateTimeSymbols_gu = { ERAS: ['ઈલુના જન્મ પહેસાં', 'ઇસવીસન'], ERANAMES: ['ઈસવીસન પૂર્વે', 'ઇસવીસન'], NARROWMONTHS: ['જા', 'ફે', 'મા', 'એ', 'મે', 'જૂ', 'જુ', 'ઑ', 'સ', 'ઑ', 'ન', 'ડિ'], STANDALONENARROWMONTHS: ['જા', 'ફે', 'મા', 'એ', 'મે', 'જૂ', 'જુ', 'ઑ', 'સ', 'ઑ', 'ન', 'ડિ'], MONTHS: ['જાન્યુઆરી', 'ફેબ્રુઆરી', 'માર્ચ', 'એપ્રિલ', 'મે', 'જૂન', 'જુલાઈ', 'ઑગસ્ટ', 'સપ્ટેમ્બર', 'ઑક્ટોબર', 'નવેમ્બર', 'ડિસેમ્બર'], STANDALONEMONTHS: ['જાન્યુઆરી', 'ફેબ્રુઆરી', 'માર્ચ', 'એપ્રિલ', 'મે', 'જૂન', 'જુલાઈ', 'ઑગસ્ટ', 'સપ્ટેમ્બર', 'ઑક્ટોબર', 'નવેમ્બર', 'ડિસેમ્બર'], SHORTMONTHS: ['જાન્યુ', 'ફેબ્રુ', 'માર્ચ', 'એપ્રિલ', 'મે', 'જૂન', 'જુલાઈ', 'ઑગસ્ટ', 'સપ્ટે', 'ઑક્ટો', 'નવે', 'ડિસે'], STANDALONESHORTMONTHS: ['જાન્યુ', 'ફેબ્રુ', 'માર્ચ', 'એપ્રિલ', 'મે', 'જૂન', 'જુલાઈ', 'ઑગસ્ટ', 'સપ્ટે', 'ઑક્ટો', 'નવે', 'ડિસે'], WEEKDAYS: ['રવિવાર', 'સોમવાર', 'મંગળવાર', 'બુધવાર', 'ગુરુવાર', 'શુક્રવાર', 'શનિવાર'], STANDALONEWEEKDAYS: ['રવિવાર', 'સોમવાર', 'મંગળવાર', 'બુધવાર', 'ગુરુવાર', 'શુક્રવાર', 'શનિવાર'], SHORTWEEKDAYS: ['રવિ', 'સોમ', 'મંગળ', 'બુધ', 'ગુરુ', 'શુક્ર', 'શનિ'], STANDALONESHORTWEEKDAYS: ['રવિ', 'સોમ', 'મંગળ', 'બુધ', 'ગુરુ', 'શુક્ર', 'શનિ'], NARROWWEEKDAYS: ['ર', 'સો', 'મં', 'બુ', 'ગુ', 'શુ', 'શ'], STANDALONENARROWWEEKDAYS: ['ર', 'સો', 'મં', 'બુ', 'ગુ', 'શુ', 'શ'], SHORTQUARTERS: ['પેહલા હંત 1', 'Q2', 'Q3', 'ચૌતા હંત 4'], QUARTERS: ['પેહલા હંત 1', 'ડૂસઋા હંત 2', 'તીસઋા હંત 3', 'ચૌતા હંત 4'], AMPMS: ['am', 'pm'], DATEFORMATS: ['EEEE, d MMMM, y', 'd MMMM, y', 'd MMM, y', 'd-MM-yy'], TIMEFORMATS: ['hh:mm:ss a zzzz', 'hh:mm:ss a z', 'hh:mm:ss a', 'hh:mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [6, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale haw. */ goog.i18n.DateTimeSymbols_haw = { ERAS: ['BCE', 'CE'], ERANAMES: ['BCE', 'CE'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['Ianuali', 'Pepeluali', 'Malaki', 'ʻApelila', 'Mei', 'Iune', 'Iulai', 'ʻAukake', 'Kepakemapa', 'ʻOkakopa', 'Nowemapa', 'Kekemapa'], STANDALONEMONTHS: ['Ianuali', 'Pepeluali', 'Malaki', 'ʻApelila', 'Mei', 'Iune', 'Iulai', 'ʻAukake', 'Kepakemapa', 'ʻOkakopa', 'Nowemapa', 'Kekemapa'], SHORTMONTHS: ['Ian.', 'Pep.', 'Mal.', 'ʻAp.', 'Mei', 'Iun.', 'Iul.', 'ʻAu.', 'Kep.', 'ʻOk.', 'Now.', 'Kek.'], STANDALONESHORTMONTHS: ['Ian.', 'Pep.', 'Mal.', 'ʻAp.', 'Mei', 'Iun.', 'Iul.', 'ʻAu.', 'Kep.', 'ʻOk.', 'Now.', 'Kek.'], WEEKDAYS: ['Lāpule', 'Poʻakahi', 'Poʻalua', 'Poʻakolu', 'Poʻahā', 'Poʻalima', 'Poʻaono'], STANDALONEWEEKDAYS: ['Lāpule', 'Poʻakahi', 'Poʻalua', 'Poʻakolu', 'Poʻahā', 'Poʻalima', 'Poʻaono'], SHORTWEEKDAYS: ['LP', 'P1', 'P2', 'P3', 'P4', 'P5', 'P6'], STANDALONESHORTWEEKDAYS: ['LP', 'P1', 'P2', 'P3', 'P4', 'P5', 'P6'], NARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], STANDALONENARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'd/M/yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale he. */ goog.i18n.DateTimeSymbols_he = { ERAS: ['לפנה״ס', 'לסה״נ'], ERANAMES: ['לפני הספירה', 'לספירה'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['ינואר', 'פברואר', 'מרץ', 'אפריל', 'מאי', 'יוני', 'יולי', 'אוגוסט', 'ספטמבר', 'אוקטובר', 'נובמבר', 'דצמבר'], STANDALONEMONTHS: ['ינואר', 'פברואר', 'מרץ', 'אפריל', 'מאי', 'יוני', 'יולי', 'אוגוסט', 'ספטמבר', 'אוקטובר', 'נובמבר', 'דצמבר'], SHORTMONTHS: ['ינו', 'פבר', 'מרץ', 'אפר', 'מאי', 'יונ', 'יול', 'אוג', 'ספט', 'אוק', 'נוב', 'דצמ'], STANDALONESHORTMONTHS: ['ינו׳', 'פבר׳', 'מרץ', 'אפר׳', 'מאי', 'יונ׳', 'יול׳', 'אוג׳', 'ספט׳', 'אוק׳', 'נוב׳', 'דצמ׳'], WEEKDAYS: ['יום ראשון', 'יום שני', 'יום שלישי', 'יום רביעי', 'יום חמישי', 'יום שישי', 'יום שבת'], STANDALONEWEEKDAYS: ['יום ראשון', 'יום שני', 'יום שלישי', 'יום רביעי', 'יום חמישי', 'יום שישי', 'יום שבת'], SHORTWEEKDAYS: ['יום א׳', 'יום ב׳', 'יום ג׳', 'יום ד׳', 'יום ה׳', 'יום ו׳', 'שבת'], STANDALONESHORTWEEKDAYS: ['יום א׳', 'יום ב׳', 'יום ג׳', 'יום ד׳', 'יום ה׳', 'יום ו׳', 'שבת'], NARROWWEEKDAYS: ['א', 'ב', 'ג', 'ד', 'ה', 'ו', 'ש'], STANDALONENARROWWEEKDAYS: ['א', 'ב', 'ג', 'ד', 'ה', 'ו', 'ש'], SHORTQUARTERS: ['רבעון 1', 'רבעון 2', 'רבעון 3', 'רבעון 4'], QUARTERS: ['רבעון 1', 'רבעון 2', 'רבעון 3', 'רבעון 4'], AMPMS: ['לפנה״צ', 'אחה״צ'], DATEFORMATS: ['EEEE, d בMMMM y', 'd בMMMM y', 'd בMMM yyyy', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [4, 5], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale hi. */ goog.i18n.DateTimeSymbols_hi = { ERAS: ['ईसापूर्व', 'सन'], ERANAMES: ['ईसापूर्व', 'सन'], NARROWMONTHS: ['ज', 'फ़', 'मा', 'अ', 'म', 'जू', 'जु', 'अ', 'सि', 'अ', 'न', 'दि'], STANDALONENARROWMONTHS: ['ज', 'फ़', 'मा', 'अ', 'म', 'जू', 'जु', 'अ', 'सि', 'अ', 'न', 'दि'], MONTHS: ['जनवरी', 'फरवरी', 'मार्च', 'अप्रैल', 'मई', 'जून', 'जुलाई', 'अगस्त', 'सितम्बर', 'अक्तूबर', 'नवम्बर', 'दिसम्बर'], STANDALONEMONTHS: ['जनवरी', 'फरवरी', 'मार्च', 'अप्रैल', 'मई', 'जून', 'जुलाई', 'अगस्त', 'सितम्बर', 'अक्तूबर', 'नवम्बर', 'दिसम्बर'], SHORTMONTHS: ['जनवरी', 'फरवरी', 'मार्च', 'अप्रैल', 'मई', 'जून', 'जुलाई', 'अगस्त', 'सितम्बर', 'अक्तूबर', 'नवम्बर', 'दिसम्बर'], STANDALONESHORTMONTHS: ['जनवरी', 'फरवरी', 'मार्च', 'अप्रैल', 'मई', 'जून', 'जुलाई', 'अगस्त', 'सितम्बर', 'अक्तूबर', 'नवम्बर', 'दिसम्बर'], WEEKDAYS: ['रविवार', 'सोमवार', 'मंगलवार', 'बुधवार', 'बृहस्पतिवार', 'शुक्रवार', 'शनिवार'], STANDALONEWEEKDAYS: ['रविवार', 'सोमवार', 'मंगलवार', 'बुधवार', 'बृहस्पतिवार', 'शुक्रवार', 'शनिवार'], SHORTWEEKDAYS: ['रवि.', 'सोम.', 'मंगल.', 'बुध.', 'बृह.', 'शुक्र.', 'शनि.'], STANDALONESHORTWEEKDAYS: ['रवि.', 'सोम.', 'मंगल.', 'बुध.', 'बृह.', 'शुक्र.', 'शनि.'], NARROWWEEKDAYS: ['र', 'सो', 'मं', 'बु', 'गु', 'शु', 'श'], STANDALONENARROWWEEKDAYS: ['र', 'सो', 'मं', 'बु', 'गु', 'शु', 'श'], SHORTQUARTERS: ['तिमाही', 'दूसरी तिमाही', 'तीसरी तिमाही', 'चौथी तिमाही'], QUARTERS: ['तिमाही', 'दूसरी तिमाही', 'तीसरी तिमाही', 'चौथी तिमाही'], AMPMS: ['am', 'pm'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'dd-MM-yyyy', 'd-M-yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [6, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale hr. */ goog.i18n.DateTimeSymbols_hr = { ERAS: ['p. n. e.', 'A. D.'], ERANAMES: ['Prije Krista', 'Poslije Krista'], NARROWMONTHS: ['1.', '2.', '3.', '4.', '5.', '6.', '7.', '8.', '9.', '10.', '11.', '12.'], STANDALONENARROWMONTHS: ['1.', '2.', '3.', '4.', '5.', '6.', '7.', '8.', '9.', '10.', '11.', '12.'], MONTHS: ['siječnja', 'veljače', 'ožujka', 'travnja', 'svibnja', 'lipnja', 'srpnja', 'kolovoza', 'rujna', 'listopada', 'studenoga', 'prosinca'], STANDALONEMONTHS: ['siječanj', 'veljača', 'ožujak', 'travanj', 'svibanj', 'lipanj', 'srpanj', 'kolovoz', 'rujan', 'listopad', 'studeni', 'prosinac'], SHORTMONTHS: ['sij', 'velj', 'ožu', 'tra', 'svi', 'lip', 'srp', 'kol', 'ruj', 'lis', 'stu', 'pro'], STANDALONESHORTMONTHS: ['sij', 'velj', 'ožu', 'tra', 'svi', 'lip', 'srp', 'kol', 'ruj', 'lis', 'stu', 'pro'], WEEKDAYS: ['nedjelja', 'ponedjeljak', 'utorak', 'srijeda', 'četvrtak', 'petak', 'subota'], STANDALONEWEEKDAYS: ['nedjelja', 'ponedjeljak', 'utorak', 'srijeda', 'četvrtak', 'petak', 'subota'], SHORTWEEKDAYS: ['ned', 'pon', 'uto', 'sri', 'čet', 'pet', 'sub'], STANDALONESHORTWEEKDAYS: ['ned', 'pon', 'uto', 'sri', 'čet', 'pet', 'sub'], NARROWWEEKDAYS: ['N', 'P', 'U', 'S', 'Č', 'P', 'S'], STANDALONENARROWWEEKDAYS: ['n', 'p', 'u', 's', 'č', 'p', 's'], SHORTQUARTERS: ['1kv', '2kv', '3kv', '4kv'], QUARTERS: ['1. kvartal', '2. kvartal', '3. kvartal', '4. kvartal'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, d. MMMM y.', 'd. MMMM y.', 'd. M. y.', 'd.M.y.'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale hu. */ goog.i18n.DateTimeSymbols_hu = { ERAS: ['i. e.', 'i. sz.'], ERANAMES: ['időszámításunk előtt', 'időszámításunk szerint'], NARROWMONTHS: ['J', 'F', 'M', 'Á', 'M', 'J', 'J', 'Á', 'Sz', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'Á', 'M', 'J', 'J', 'A', 'Sz', 'O', 'N', 'D'], MONTHS: ['január', 'február', 'március', 'április', 'május', 'június', 'július', 'augusztus', 'szeptember', 'október', 'november', 'december'], STANDALONEMONTHS: ['január', 'február', 'március', 'április', 'május', 'június', 'július', 'augusztus', 'szeptember', 'október', 'november', 'december'], SHORTMONTHS: ['jan.', 'febr.', 'márc.', 'ápr.', 'máj.', 'jún.', 'júl.', 'aug.', 'szept.', 'okt.', 'nov.', 'dec.'], STANDALONESHORTMONTHS: ['jan.', 'febr.', 'márc.', 'ápr.', 'máj.', 'jún.', 'júl.', 'aug.', 'szept.', 'okt.', 'nov.', 'dec.'], WEEKDAYS: ['vasárnap', 'hétfő', 'kedd', 'szerda', 'csütörtök', 'péntek', 'szombat'], STANDALONEWEEKDAYS: ['vasárnap', 'hétfő', 'kedd', 'szerda', 'csütörtök', 'péntek', 'szombat'], SHORTWEEKDAYS: ['V', 'H', 'K', 'Sze', 'Cs', 'P', 'Szo'], STANDALONESHORTWEEKDAYS: ['V', 'H', 'K', 'Sze', 'Cs', 'P', 'Szo'], NARROWWEEKDAYS: ['V', 'H', 'K', 'Sz', 'Cs', 'P', 'Sz'], STANDALONENARROWWEEKDAYS: ['V', 'H', 'K', 'Sz', 'Cs', 'P', 'Sz'], SHORTQUARTERS: ['N1', 'N2', 'N3', 'N4'], QUARTERS: ['I. negyedév', 'II. negyedév', 'III. negyedév', 'IV. negyedév'], AMPMS: ['de.', 'du.'], DATEFORMATS: ['y. MMMM d., EEEE', 'y. MMMM d.', 'yyyy.MM.dd.', 'yyyy.MM.dd.'], TIMEFORMATS: ['H:mm:ss zzzz', 'H:mm:ss z', 'H:mm:ss', 'H:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale id. */ goog.i18n.DateTimeSymbols_id = { ERAS: ['SM', 'M'], ERANAMES: ['SM', 'M'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['Januari', 'Februari', 'Maret', 'April', 'Mei', 'Juni', 'Juli', 'Agustus', 'September', 'Oktober', 'November', 'Desember'], STANDALONEMONTHS: ['Januari', 'Februari', 'Maret', 'April', 'Mei', 'Juni', 'Juli', 'Agustus', 'September', 'Oktober', 'November', 'Desember'], SHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'Mei', 'Jun', 'Jul', 'Agt', 'Sep', 'Okt', 'Nov', 'Des'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'Mei', 'Jun', 'Jul', 'Agt', 'Sep', 'Okt', 'Nov', 'Des'], WEEKDAYS: ['Minggu', 'Senin', 'Selasa', 'Rabu', 'Kamis', 'Jumat', 'Sabtu'], STANDALONEWEEKDAYS: ['Minggu', 'Senin', 'Selasa', 'Rabu', 'Kamis', 'Jumat', 'Sabtu'], SHORTWEEKDAYS: ['Min', 'Sen', 'Sel', 'Rab', 'Kam', 'Jum', 'Sab'], STANDALONESHORTWEEKDAYS: ['Min', 'Sen', 'Sel', 'Rab', 'Kam', 'Jum', 'Sab'], NARROWWEEKDAYS: ['M', 'S', 'S', 'R', 'K', 'J', 'S'], STANDALONENARROWWEEKDAYS: ['M', 'S', 'S', 'R', 'K', 'J', 'S'], SHORTQUARTERS: ['K1', 'K2', 'K3', 'K4'], QUARTERS: ['kuartal pertama', 'kuartal kedua', 'kuartal ketiga', 'kuartal keempat'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, dd MMMM yyyy', 'd MMMM yyyy', 'd MMM yyyy', 'dd/MM/yy'], TIMEFORMATS: ['H:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale in. */ goog.i18n.DateTimeSymbols_in = { ERAS: ['SM', 'M'], ERANAMES: ['SM', 'M'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['Januari', 'Februari', 'Maret', 'April', 'Mei', 'Juni', 'Juli', 'Agustus', 'September', 'Oktober', 'November', 'Desember'], STANDALONEMONTHS: ['Januari', 'Februari', 'Maret', 'April', 'Mei', 'Juni', 'Juli', 'Agustus', 'September', 'Oktober', 'November', 'Desember'], SHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'Mei', 'Jun', 'Jul', 'Agt', 'Sep', 'Okt', 'Nov', 'Des'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mar', 'Apr', 'Mei', 'Jun', 'Jul', 'Agt', 'Sep', 'Okt', 'Nov', 'Des'], WEEKDAYS: ['Minggu', 'Senin', 'Selasa', 'Rabu', 'Kamis', 'Jumat', 'Sabtu'], STANDALONEWEEKDAYS: ['Minggu', 'Senin', 'Selasa', 'Rabu', 'Kamis', 'Jumat', 'Sabtu'], SHORTWEEKDAYS: ['Min', 'Sen', 'Sel', 'Rab', 'Kam', 'Jum', 'Sab'], STANDALONESHORTWEEKDAYS: ['Min', 'Sen', 'Sel', 'Rab', 'Kam', 'Jum', 'Sab'], NARROWWEEKDAYS: ['M', 'S', 'S', 'R', 'K', 'J', 'S'], STANDALONENARROWWEEKDAYS: ['M', 'S', 'S', 'R', 'K', 'J', 'S'], SHORTQUARTERS: ['K1', 'K2', 'K3', 'K4'], QUARTERS: ['kuartal pertama', 'kuartal kedua', 'kuartal ketiga', 'kuartal keempat'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, dd MMMM yyyy', 'd MMMM yyyy', 'd MMM yyyy', 'dd/MM/yy'], TIMEFORMATS: ['H:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale is. */ goog.i18n.DateTimeSymbols_is = { ERAS: ['fyrir Krist', 'eftir Krist'], ERANAMES: ['fyrir Krist', 'eftir Krist'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'Á', 'L', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['j', 'f', 'm', 'a', 'm', 'j', 'j', 'á', 's', 'o', 'n', 'd'], MONTHS: ['janúar', 'febrúar', 'mars', 'apríl', 'maí', 'júní', 'júlí', 'ágúst', 'september', 'október', 'nóvember', 'desember'], STANDALONEMONTHS: ['janúar', 'febrúar', 'mars', 'apríl', 'maí', 'júní', 'júlí', 'ágúst', 'september', 'október', 'nóvember', 'desember'], SHORTMONTHS: ['jan', 'feb', 'mar', 'apr', 'maí', 'jún', 'júl', 'ágú', 'sep', 'okt', 'nóv', 'des'], STANDALONESHORTMONTHS: ['jan', 'feb', 'mar', 'apr', 'maí', 'jún', 'júl', 'ágú', 'sep', 'okt', 'nóv', 'des'], WEEKDAYS: ['sunnudagur', 'mánudagur', 'þriðjudagur', 'miðvikudagur', 'fimmtudagur', 'föstudagur', 'laugardagur'], STANDALONEWEEKDAYS: ['sunnudagur', 'mánudagur', 'þriðjudagur', 'miðvikudagur', 'fimmtudagur', 'föstudagur', 'laugardagur'], SHORTWEEKDAYS: ['sun', 'mán', 'þri', 'mið', 'fim', 'fös', 'lau'], STANDALONESHORTWEEKDAYS: ['sun', 'mán', 'þri', 'mið', 'fim', 'fös', 'lau'], NARROWWEEKDAYS: ['S', 'M', 'Þ', 'M', 'F', 'F', 'L'], STANDALONENARROWWEEKDAYS: ['s', 'm', 'þ', 'm', 'f', 'f', 'l'], SHORTQUARTERS: ['F1', 'F2', 'F3', 'F4'], QUARTERS: ['1st fjórðungur', '2nd fjórðungur', '3rd fjórðungur', '4th fjórðungur'], AMPMS: ['f.h.', 'e.h.'], DATEFORMATS: ['EEEE, d. MMMM y', 'd. MMMM y', 'd.M.yyyy', 'd.M.yyyy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale it. */ goog.i18n.DateTimeSymbols_it = { ERAS: ['aC', 'dC'], ERANAMES: ['a.C.', 'd.C'], NARROWMONTHS: ['G', 'F', 'M', 'A', 'M', 'G', 'L', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['G', 'F', 'M', 'A', 'M', 'G', 'L', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['gennaio', 'febbraio', 'marzo', 'aprile', 'maggio', 'giugno', 'luglio', 'agosto', 'settembre', 'ottobre', 'novembre', 'dicembre'], STANDALONEMONTHS: ['Gennaio', 'Febbraio', 'Marzo', 'Aprile', 'Maggio', 'Giugno', 'Luglio', 'Agosto', 'Settembre', 'Ottobre', 'Novembre', 'Dicembre'], SHORTMONTHS: ['gen', 'feb', 'mar', 'apr', 'mag', 'giu', 'lug', 'ago', 'set', 'ott', 'nov', 'dic'], STANDALONESHORTMONTHS: ['gen', 'feb', 'mar', 'apr', 'mag', 'giu', 'lug', 'ago', 'set', 'ott', 'nov', 'dic'], WEEKDAYS: ['domenica', 'lunedì', 'martedì', 'mercoledì', 'giovedì', 'venerdì', 'sabato'], STANDALONEWEEKDAYS: ['Domenica', 'Lunedì', 'Martedì', 'Mercoledì', 'Giovedì', 'Venerdì', 'Sabato'], SHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mer', 'gio', 'ven', 'sab'], STANDALONESHORTWEEKDAYS: ['dom', 'lun', 'mar', 'mer', 'gio', 'ven', 'sab'], NARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'G', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'G', 'V', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1o trimestre', '2o trimestre', '3o trimestre', '4o trimestre'], AMPMS: ['m.', 'p.'], DATEFORMATS: ['EEEE d MMMM y', 'dd MMMM y', 'dd/MMM/y', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale iw. */ goog.i18n.DateTimeSymbols_iw = { ERAS: ['לפנה״ס', 'לסה״נ'], ERANAMES: ['לפני הספירה', 'לספירה'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['ינואר', 'פברואר', 'מרץ', 'אפריל', 'מאי', 'יוני', 'יולי', 'אוגוסט', 'ספטמבר', 'אוקטובר', 'נובמבר', 'דצמבר'], STANDALONEMONTHS: ['ינואר', 'פברואר', 'מרץ', 'אפריל', 'מאי', 'יוני', 'יולי', 'אוגוסט', 'ספטמבר', 'אוקטובר', 'נובמבר', 'דצמבר'], SHORTMONTHS: ['ינו', 'פבר', 'מרץ', 'אפר', 'מאי', 'יונ', 'יול', 'אוג', 'ספט', 'אוק', 'נוב', 'דצמ'], STANDALONESHORTMONTHS: ['ינו׳', 'פבר׳', 'מרץ', 'אפר׳', 'מאי', 'יונ׳', 'יול׳', 'אוג׳', 'ספט׳', 'אוק׳', 'נוב׳', 'דצמ׳'], WEEKDAYS: ['יום ראשון', 'יום שני', 'יום שלישי', 'יום רביעי', 'יום חמישי', 'יום שישי', 'יום שבת'], STANDALONEWEEKDAYS: ['יום ראשון', 'יום שני', 'יום שלישי', 'יום רביעי', 'יום חמישי', 'יום שישי', 'יום שבת'], SHORTWEEKDAYS: ['יום א׳', 'יום ב׳', 'יום ג׳', 'יום ד׳', 'יום ה׳', 'יום ו׳', 'שבת'], STANDALONESHORTWEEKDAYS: ['יום א׳', 'יום ב׳', 'יום ג׳', 'יום ד׳', 'יום ה׳', 'יום ו׳', 'שבת'], NARROWWEEKDAYS: ['א', 'ב', 'ג', 'ד', 'ה', 'ו', 'ש'], STANDALONENARROWWEEKDAYS: ['א', 'ב', 'ג', 'ד', 'ה', 'ו', 'ש'], SHORTQUARTERS: ['רבעון 1', 'רבעון 2', 'רבעון 3', 'רבעון 4'], QUARTERS: ['רבעון 1', 'רבעון 2', 'רבעון 3', 'רבעון 4'], AMPMS: ['לפנה״צ', 'אחה״צ'], DATEFORMATS: ['EEEE, d בMMMM y', 'd בMMMM y', 'd בMMM yyyy', 'dd/MM/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [4, 5], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale ja. */ goog.i18n.DateTimeSymbols_ja = { ERAS: ['紀元前', '西暦'], ERANAMES: ['紀元前', '西暦'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['1月', '2月', '3月', '4月', '5月', '6月', '7月', '8月', '9月', '10月', '11月', '12月'], STANDALONEMONTHS: ['1月', '2月', '3月', '4月', '5月', '6月', '7月', '8月', '9月', '10月', '11月', '12月'], SHORTMONTHS: ['1月', '2月', '3月', '4月', '5月', '6月', '7月', '8月', '9月', '10月', '11月', '12月'], STANDALONESHORTMONTHS: ['1月', '2月', '3月', '4月', '5月', '6月', '7月', '8月', '9月', '10月', '11月', '12月'], WEEKDAYS: ['日曜日', '月曜日', '火曜日', '水曜日', '木曜日', '金曜日', '土曜日'], STANDALONEWEEKDAYS: ['日曜日', '月曜日', '火曜日', '水曜日', '木曜日', '金曜日', '土曜日'], SHORTWEEKDAYS: ['日', '月', '火', '水', '木', '金', '土'], STANDALONESHORTWEEKDAYS: ['日', '月', '火', '水', '木', '金', '土'], NARROWWEEKDAYS: ['日', '月', '火', '水', '木', '金', '土'], STANDALONENARROWWEEKDAYS: ['日', '月', '火', '水', '木', '金', '土'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['第1四半期', '第2四半期', '第3四半期', '第4四半期'], AMPMS: ['午前', '午後'], DATEFORMATS: ['y年M月d日EEEE', 'y年M月d日', 'yyyy/MM/dd', 'yyyy/MM/dd'], TIMEFORMATS: ['H時mm分ss秒 zzzz', 'H:mm:ss z', 'H:mm:ss', 'H:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale kn. */ goog.i18n.DateTimeSymbols_kn = { ERAS: ['ಕ್ರಿ.ಪೂ', 'ಜಾಹೀ'], ERANAMES: ['ಈಸಪೂವ೯.', 'ಕ್ರಿಸ್ತ ಶಕ'], NARROWMONTHS: ['ಜ', 'ಫೆ', 'ಮಾ', 'ಎ', 'ಮೇ', 'ಜೂ', 'ಜು', 'ಆ', 'ಸೆ', 'ಅ', 'ನ', 'ಡಿ'], STANDALONENARROWMONTHS: ['ಜ', 'ಫೆ', 'ಮಾ', 'ಎ', 'ಮೇ', 'ಜೂ', 'ಜು', 'ಆ', 'ಸೆ', 'ಅ', 'ನ', 'ಡಿ'], MONTHS: ['ಜನವರೀ', 'ಫೆಬ್ರವರೀ', 'ಮಾರ್ಚ್', 'ಎಪ್ರಿಲ್', 'ಮೆ', 'ಜೂನ್', 'ಜುಲೈ', 'ಆಗಸ್ಟ್', 'ಸಪ್ಟೆಂಬರ್', 'ಅಕ್ಟೋಬರ್', 'ನವೆಂಬರ್', 'ಡಿಸೆಂಬರ್'], STANDALONEMONTHS: ['ಜನವರೀ', 'ಫೆಬ್ರವರೀ', 'ಮಾರ್ಚ್', 'ಎಪ್ರಿಲ್', 'ಮೆ', 'ಜೂನ್', 'ಜುಲೈ', 'ಆಗಸ್ಟ್', 'ಸಪ್ಟೆಂಬರ್', 'ಅಕ್ಟೋಬರ್', 'ನವೆಂಬರ್', 'ಡಿಸೆಂಬರ್'], SHORTMONTHS: ['ಜನವರೀ', 'ಫೆಬ್ರವರೀ', 'ಮಾರ್ಚ್', 'ಎಪ್ರಿಲ್', 'ಮೆ', 'ಜೂನ್', 'ಜುಲೈ', 'ಆಗಸ್ಟ್', 'ಸಪ್ಟೆಂಬರ್', 'ಅಕ್ಟೋಬರ್', 'ನವೆಂಬರ್', 'ಡಿಸೆಂಬರ್'], STANDALONESHORTMONTHS: ['ಜನವರೀ', 'ಫೆಬ್ರವರೀ', 'ಮಾರ್ಚ್', 'ಎಪ್ರಿಲ್', 'ಮೆ', 'ಜೂನ್', 'ಜುಲೈ', 'ಆಗಸ್ಟ್', 'ಸಪ್ಟೆಂಬರ್', 'ಅಕ್ಟೋಬರ್', 'ನವೆಂಬರ್', 'ಡಿಸೆಂಬರ್'], WEEKDAYS: ['ರವಿವಾರ', 'ಸೋಮವಾರ', 'ಮಂಗಳವಾರ', 'ಬುಧವಾರ', 'ಗುರುವಾರ', 'ಶುಕ್ರವಾರ', 'ಶನಿವಾರ'], STANDALONEWEEKDAYS: ['ರವಿವಾರ', 'ಸೋಮವಾರ', 'ಮಂಗಳವಾರ', 'ಬುಧವಾರ', 'ಗುರುವಾರ', 'ಶುಕ್ರವಾರ', 'ಶನಿವಾರ'], SHORTWEEKDAYS: ['ರ.', 'ಸೋ.', 'ಮಂ.', 'ಬು.', 'ಗು.', 'ಶು.', 'ಶನಿ.'], STANDALONESHORTWEEKDAYS: ['ರ.', 'ಸೋ.', 'ಮಂ.', 'ಬು.', 'ಗು.', 'ಶು.', 'ಶನಿ.'], NARROWWEEKDAYS: ['ರ', 'ಸೋ', 'ಮಂ', 'ಬು', 'ಗು', 'ಶು', 'ಶ'], STANDALONENARROWWEEKDAYS: ['ರ', 'ಸೋ', 'ಮಂ', 'ಬು', 'ಗು', 'ಶು', 'ಶ'], SHORTQUARTERS: ['ಒಂದು 1', 'ಎರಡು 2', 'ಮೂರು 3', 'ನಾಲೃಕ 4'], QUARTERS: ['ಒಂದು 1', 'ಎರಡು 2', 'ಮೂರು 3', 'ನಾಲೃಕ 4'], AMPMS: ['am', 'pm'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'd-M-yy'], TIMEFORMATS: ['hh:mm:ss a zzzz', 'hh:mm:ss a z', 'hh:mm:ss a', 'hh:mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [6, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale ko. */ goog.i18n.DateTimeSymbols_ko = { ERAS: ['기원전', '서기'], ERANAMES: ['서력기원전', '서력기원'], NARROWMONTHS: ['1월', '2월', '3월', '4월', '5월', '6월', '7월', '8월', '9월', '10월', '11월', '12월'], STANDALONENARROWMONTHS: ['1월', '2월', '3월', '4월', '5월', '6월', '7월', '8월', '9월', '10월', '11월', '12월'], MONTHS: ['1월', '2월', '3월', '4월', '5월', '6월', '7월', '8월', '9월', '10월', '11월', '12월'], STANDALONEMONTHS: ['1월', '2월', '3월', '4월', '5월', '6월', '7월', '8월', '9월', '10월', '11월', '12월'], SHORTMONTHS: ['1월', '2월', '3월', '4월', '5월', '6월', '7월', '8월', '9월', '10월', '11월', '12월'], STANDALONESHORTMONTHS: ['1월', '2월', '3월', '4월', '5월', '6월', '7월', '8월', '9월', '10월', '11월', '12월'], WEEKDAYS: ['일요일', '월요일', '화요일', '수요일', '목요일', '금요일', '토요일'], STANDALONEWEEKDAYS: ['일요일', '월요일', '화요일', '수요일', '목요일', '금요일', '토요일'], SHORTWEEKDAYS: ['일', '월', '화', '수', '목', '금', '토'], STANDALONESHORTWEEKDAYS: ['일', '월', '화', '수', '목', '금', '토'], NARROWWEEKDAYS: ['일', '월', '화', '수', '목', '금', '토'], STANDALONENARROWWEEKDAYS: ['일', '월', '화', '수', '목', '금', '토'], SHORTQUARTERS: ['1분기', '2분기', '3분기', '4분기'], QUARTERS: ['제 1/4분기', '제 2/4분기', '제 3/4분기', '제 4/4분기'], AMPMS: ['오전', '오후'], DATEFORMATS: ['y년 M월 d일 EEEE', 'y년 M월 d일', 'yyyy. M. d.', 'yy. M. d.'], TIMEFORMATS: ['a h시 m분 s초 zzzz', 'a h시 m분 s초 z', 'a h:mm:ss', 'a h:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale ln. */ goog.i18n.DateTimeSymbols_ln = { ERAS: ['libóso ya', 'nsima ya Y'], ERANAMES: ['Yambo ya Yézu Krís', 'Nsima ya Yézu Krís'], NARROWMONTHS: ['y', 'f', 'm', 'a', 'm', 'y', 'y', 'a', 's', 'ɔ', 'n', 'd'], STANDALONENARROWMONTHS: ['y', 'f', 'm', 'a', 'm', 'y', 'y', 'a', 's', 'ɔ', 'n', 'd'], MONTHS: ['sánzá ya yambo', 'sánzá ya míbalé', 'sánzá ya mísáto', 'sánzá ya mínei', 'sánzá ya mítáno', 'sánzá ya motóbá', 'sánzá ya nsambo', 'sánzá ya mwambe', 'sánzá ya libwa', 'sánzá ya zómi', 'sánzá ya zómi na mɔ̌kɔ́', 'sánzá ya zómi na míbalé'], STANDALONEMONTHS: ['sánzá ya yambo', 'sánzá ya míbalé', 'sánzá ya mísáto', 'sánzá ya mínei', 'sánzá ya mítáno', 'sánzá ya motóbá', 'sánzá ya nsambo', 'sánzá ya mwambe', 'sánzá ya libwa', 'sánzá ya zómi', 'sánzá ya zómi na mɔ̌kɔ́', 'sánzá ya zómi na míbalé'], SHORTMONTHS: ['yan', 'fbl', 'msi', 'apl', 'mai', 'yun', 'yul', 'agt', 'stb', 'ɔtb', 'nvb', 'dsb'], STANDALONESHORTMONTHS: ['yan', 'fbl', 'msi', 'apl', 'mai', 'yun', 'yul', 'agt', 'stb', 'ɔtb', 'nvb', 'dsb'], WEEKDAYS: ['eyenga', 'mokɔlɔ mwa yambo', 'mokɔlɔ mwa míbalé', 'mokɔlɔ mwa mísáto', 'mokɔlɔ ya mínéi', 'mokɔlɔ ya mítáno', 'mpɔ́sɔ'], STANDALONEWEEKDAYS: ['eyenga', 'mokɔlɔ mwa yambo', 'mokɔlɔ mwa míbalé', 'mokɔlɔ mwa mísáto', 'mokɔlɔ ya mínéi', 'mokɔlɔ ya mítáno', 'mpɔ́sɔ'], SHORTWEEKDAYS: ['eye', 'ybo', 'mbl', 'mst', 'min', 'mtn', 'mps'], STANDALONESHORTWEEKDAYS: ['eye', 'ybo', 'mbl', 'mst', 'min', 'mtn', 'mps'], NARROWWEEKDAYS: ['e', 'y', 'm', 'm', 'm', 'm', 'p'], STANDALONENARROWWEEKDAYS: ['e', 'y', 'm', 'm', 'm', 'm', 'p'], SHORTQUARTERS: ['SM1', 'SM2', 'SM3', 'SM4'], QUARTERS: ['sánzá mísáto ya yambo', 'sánzá mísáto ya míbalé', 'sánzá mísáto ya mísáto', 'sánzá mísáto ya mínei'], AMPMS: ['ntɔ́ngɔ́', 'mpókwa'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'd/M/yyyy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale lt. */ goog.i18n.DateTimeSymbols_lt = { ERAS: ['pr. Kr.', 'po Kr.'], ERANAMES: ['prieš Kristų', 'po Kristaus'], NARROWMONTHS: ['S', 'V', 'K', 'B', 'G', 'B', 'L', 'R', 'R', 'S', 'L', 'G'], STANDALONENARROWMONTHS: ['S', 'V', 'K', 'B', 'G', 'B', 'L', 'R', 'R', 'S', 'L', 'G'], MONTHS: ['sausio', 'vasaris', 'kovas', 'balandis', 'gegužė', 'birželis', 'liepa', 'rugpjūtis', 'rugsėjis', 'spalis', 'lapkritis', 'gruodis'], STANDALONEMONTHS: ['Sausis', 'Vasaris', 'Kovas', 'Balandis', 'Gegužė', 'Birželis', 'Liepa', 'Rugpjūtis', 'Rugsėjis', 'Spalis', 'Lapkritis', 'Gruodis'], SHORTMONTHS: ['Saus.', 'Vas', 'Kov.', 'Bal.', 'Geg.', 'Bir.', 'Liep.', 'Rugp.', 'Rugs.', 'Spal.', 'Lapkr.', 'Gruod.'], STANDALONESHORTMONTHS: ['Saus.', 'Vas.', 'Kov.', 'Bal.', 'Geg.', 'Bir.', 'Liep.', 'Rugp.', 'Rugs.', 'Spal.', 'Lapkr.', 'Gruod.'], WEEKDAYS: ['sekmadienis', 'pirmadienis', 'antradienis', 'trečiadienis', 'ketvirtadienis', 'penktadienis', 'šeštadienis'], STANDALONEWEEKDAYS: ['sekmadienis', 'pirmadienis', 'antradienis', 'trečiadienis', 'ketvirtadienis', 'penktadienis', 'šeštadienis'], SHORTWEEKDAYS: ['Sk', 'Pr', 'An', 'Tr', 'Kt', 'Pn', 'Št'], STANDALONESHORTWEEKDAYS: ['Sk', 'Pr', 'An', 'Tr', 'Kt', 'Pn', 'Št'], NARROWWEEKDAYS: ['S', 'P', 'A', 'T', 'K', 'P', 'Š'], STANDALONENARROWWEEKDAYS: ['S', 'P', 'A', 'T', 'K', 'P', 'Š'], SHORTQUARTERS: ['I k.', 'II k.', 'III k.', 'IV ketv.'], QUARTERS: ['I ketvirtis', 'II ketvirtis', 'III ketvirtis', 'IV ketvirtis'], AMPMS: ['priešpiet', 'popiet'], DATEFORMATS: ['y \'m\'. MMMM d \'d\'., EEEE', 'y \'m\'. MMMM d \'d\'.', 'y MMM d', 'yyyy-MM-dd'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale lv. */ goog.i18n.DateTimeSymbols_lv = { ERAS: ['p.m.ē.', 'm.ē.'], ERANAMES: ['pirms mūsu ēras', 'mūsu ērā'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['janvāris', 'februāris', 'marts', 'aprīlis', 'maijs', 'jūnijs', 'jūlijs', 'augusts', 'septembris', 'oktobris', 'novembris', 'decembris'], STANDALONEMONTHS: ['janvāris', 'februāris', 'marts', 'aprīlis', 'maijs', 'jūnijs', 'jūlijs', 'augusts', 'septembris', 'oktobris', 'novembris', 'decembris'], SHORTMONTHS: ['janv.', 'febr.', 'marts', 'apr.', 'maijs', 'jūn.', 'jūl.', 'aug.', 'sept.', 'okt.', 'nov.', 'dec.'], STANDALONESHORTMONTHS: ['janv.', 'febr.', 'marts', 'apr.', 'maijs', 'jūn.', 'jūl.', 'aug.', 'sept.', 'okt.', 'nov.', 'dec.'], WEEKDAYS: ['svētdiena', 'pirmdiena', 'otrdiena', 'trešdiena', 'ceturtdiena', 'piektdiena', 'sestdiena'], STANDALONEWEEKDAYS: ['svētdiena', 'pirmdiena', 'otrdiena', 'trešdiena', 'ceturtdiena', 'piektdiena', 'sestdiena'], SHORTWEEKDAYS: ['Sv', 'Pr', 'Ot', 'Tr', 'Ce', 'Pk', 'Se'], STANDALONESHORTWEEKDAYS: ['Sv', 'Pr', 'Ot', 'Tr', 'Ce', 'Pk', 'Se'], NARROWWEEKDAYS: ['S', 'P', 'O', 'T', 'C', 'P', 'S'], STANDALONENARROWWEEKDAYS: ['S', 'P', 'O', 'T', 'C', 'P', 'S'], SHORTQUARTERS: ['C1', 'C2', 'C3', 'C4'], QUARTERS: ['1. ceturksnis', '2. ceturksnis', '3. ceturksnis', '4. ceturksnis'], AMPMS: ['priekšpusdienā', 'pēcpusdienā'], DATEFORMATS: ['EEEE, y. \'gada\' d. MMMM', 'y. \'gada\' d. MMMM', 'y. \'gada\' d. MMM', 'dd.MM.yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale ml. */ goog.i18n.DateTimeSymbols_ml = { ERAS: ['ക്രി.മൂ', 'ക്രി.പി.'], ERANAMES: ['ക്രിസ്തുവിനു് മുമ്പ്‌', 'ക്രിസ്തുവിന് പിന്‍പ്'], NARROWMONTHS: ['ജ', 'ഫെ', 'മാ', 'ഏ', 'മേ', 'ജൂ', 'ജൂ', 'ഓ', 'സെ', 'ഒ', 'ന', 'ഡി'], STANDALONENARROWMONTHS: ['ജ', 'ഫെ', 'മാ', 'ഏ', 'മേ', 'ജൂ', 'ജൂ', 'ഓ', 'സെ', 'ഒ', 'ന', 'ഡി'], MONTHS: ['ജനുവരി', 'ഫെബ്രുവരി', 'മാര്‍ച്ച്', 'ഏപ്രില്‍', 'മേയ്', 'ജൂണ്‍', 'ജൂലൈ', 'ആഗസ്റ്റ്', 'സെപ്റ്റംബര്‍', 'ഒക്ടോബര്‍', 'നവംബര്‍', 'ഡിസംബര്‍'], STANDALONEMONTHS: ['ജനുവരി', 'ഫെബ്രുവരി', 'മാര്‍ച്ച്', 'ഏപ്രില്‍', 'മേയ്', 'ജൂണ്‍', 'ജൂലൈ', 'ആഗസ്റ്റ്', 'സെപ്റ്റംബര്‍', 'ഒക്ടോബര്‍', 'നവംബര്‍', 'ഡിസംബര്‍'], SHORTMONTHS: ['ജനു', 'ഫെബ്രു', 'മാര്‍', 'ഏപ്രി', 'മേയ്', 'ജൂണ്‍', 'ജൂലൈ', 'ഓഗ', 'സെപ്റ്റം', 'ഒക്ടോ', 'നവം', 'ഡിസം'], STANDALONESHORTMONTHS: ['ജനു', 'ഫെബ്രു', 'മാര്‍', 'ഏപ്രി', 'മേയ്', 'ജൂണ്‍', 'ജൂലൈ', 'ഓഗ', 'സെപ്റ്റം', 'ഒക്ടോ', 'നവം', 'ഡിസം'], WEEKDAYS: ['ഞായറാഴ്ച', 'തിങ്കളാഴ്ച', 'ചൊവ്വാഴ്ച', 'ബുധനാഴ്ച', 'വ്യാഴാഴ്ച', 'വെള്ളിയാഴ്ച', 'ശനിയാഴ്ച'], STANDALONEWEEKDAYS: ['ഞായറാഴ്ച', 'തിങ്കളാഴ്ച', 'ചൊവ്വാഴ്ച', 'ബുധനാഴ്ച', 'വ്യാഴാഴ്ച', 'വെള്ളിയാഴ്ച', 'ശനിയാഴ്ച'], SHORTWEEKDAYS: ['ഞായര്‍', 'തിങ്കള്‍', 'ചൊവ്വ', 'ബുധന്‍', 'വ്യാഴം', 'വെള്ളി', 'ശനി'], STANDALONESHORTWEEKDAYS: ['ഞായര്‍', 'തിങ്കള്‍', 'ചൊവ്വ', 'ബുധന്‍', 'വ്യാഴം', 'വെള്ളി', 'ശനി'], NARROWWEEKDAYS: ['ഞാ', 'തി', 'ചൊ', 'ബു', 'വ്യാ', 'വെ', 'ശ'], STANDALONENARROWWEEKDAYS: ['ഞാ', 'തി', 'ചൊ', 'ബു', 'വ്യാ', 'വെ', 'ശ'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['ഒന്നാം പാദം', 'രണ്ടാം പാദം', 'മൂന്നാം പാദം', 'നാലാം പാദം'], AMPMS: ['am', 'pm'], DATEFORMATS: ['y, MMMM d, EEEE', 'y, MMMM d', 'y, MMM d', 'dd/MM/yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [6, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale mr. */ goog.i18n.DateTimeSymbols_mr = { ERAS: ['ईसापूर्व', 'सन'], ERANAMES: ['ईसवीसनपूर्व', 'ईसवीसन'], NARROWMONTHS: ['जा', 'फे', 'मा', 'ए', 'मे', 'जू', 'जु', 'ऑ', 'स', 'ऑ', 'नो', 'डि'], STANDALONENARROWMONTHS: ['जा', 'फे', 'मा', 'ए', 'मे', 'जू', 'जु', 'ऑ', 'स', 'ऑ', 'नो', 'डि'], MONTHS: ['जानेवारी', 'फेब्रुवारी', 'मार्च', 'एप्रिल', 'मे', 'जून', 'जुलै', 'ऑगस्ट', 'सप्टेंबर', 'ऑक्टोबर', 'नोव्हेंबर', 'डिसेंबर'], STANDALONEMONTHS: ['जानेवारी', 'फेब्रुवारी', 'मार्च', 'एप्रिल', 'मे', 'जून', 'जुलै', 'ऑगस्ट', 'सप्टेंबर', 'ऑक्टोबर', 'नोव्हेंबर', 'डिसेंबर'], SHORTMONTHS: ['जाने', 'फेब्रु', 'मार्च', 'एप्रि', 'मे', 'जून', 'जुलै', 'ऑग', 'सेप्टें', 'ऑक्टोबर', 'नोव्हें', 'डिसें'], STANDALONESHORTMONTHS: ['जाने', 'फेब्रु', 'मार्च', 'एप्रि', 'मे', 'जून', 'जुलै', 'ऑग', 'सेप्टें', 'ऑक्टोबर', 'नोव्हें', 'डिसें'], WEEKDAYS: ['रविवार', 'सोमवार', 'मंगळवार', 'बुधवार', 'गुरुवार', 'शुक्रवार', 'शनिवार'], STANDALONEWEEKDAYS: ['रविवार', 'सोमवार', 'मंगळवार', 'बुधवार', 'गुरुवार', 'शुक्रवार', 'शनिवार'], SHORTWEEKDAYS: ['रवि', 'सोम', 'मंगळ', 'बुध', 'गुरु', 'शुक्र', 'शनि'], STANDALONESHORTWEEKDAYS: ['रवि', 'सोम', 'मंगळ', 'बुध', 'गुरु', 'शुक्र', 'शनि'], NARROWWEEKDAYS: ['र', 'सो', 'मं', 'बु', 'गु', 'शु', 'श'], STANDALONENARROWWEEKDAYS: ['र', 'सो', 'मं', 'बु', 'गु', 'शु', 'श'], SHORTQUARTERS: ['ति 1', '2 री तिमाही', 'ति 3', 'ति 4'], QUARTERS: ['प्रथम तिमाही', 'द्वितीय तिमाही', 'तृतीय तिमाही', 'चतुर्थ तिमाही'], AMPMS: ['am', 'pm'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'd-M-yy'], TIMEFORMATS: ['h-mm-ss a zzzz', 'h-mm-ss a z', 'h-mm-ss a', 'h-mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [6, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale ms. */ goog.i18n.DateTimeSymbols_ms = { ERAS: ['S.M.', 'TM'], ERANAMES: ['S.M.', 'TM'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'O', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'O', 'S', 'O', 'N', 'D'], MONTHS: ['Januari', 'Februari', 'Mac', 'April', 'Mei', 'Jun', 'Julai', 'Ogos', 'September', 'Oktober', 'November', 'Disember'], STANDALONEMONTHS: ['Januari', 'Februari', 'Mac', 'April', 'Mei', 'Jun', 'Julai', 'Ogos', 'September', 'Oktober', 'November', 'Disember'], SHORTMONTHS: ['Jan', 'Feb', 'Mac', 'Apr', 'Mei', 'Jun', 'Jul', 'Ogos', 'Sep', 'Okt', 'Nov', 'Dis'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mac', 'Apr', 'Mei', 'Jun', 'Jul', 'Ogos', 'Sep', 'Okt', 'Nov', 'Dis'], WEEKDAYS: ['Ahad', 'Isnin', 'Selasa', 'Rabu', 'Khamis', 'Jumaat', 'Sabtu'], STANDALONEWEEKDAYS: ['Ahad', 'Isnin', 'Selasa', 'Rabu', 'Khamis', 'Jumaat', 'Sabtu'], SHORTWEEKDAYS: ['Ahd', 'Isn', 'Sel', 'Rab', 'Kha', 'Jum', 'Sab'], STANDALONESHORTWEEKDAYS: ['Ahd', 'Isn', 'Sel', 'Rab', 'Kha', 'Jum', 'Sab'], NARROWWEEKDAYS: ['A', 'I', 'S', 'R', 'K', 'J', 'S'], STANDALONENARROWWEEKDAYS: ['A', 'I', 'S', 'R', 'K', 'J', 'S'], SHORTQUARTERS: ['Suku 1', 'Suku Ke-2', 'Suku Ke-3', 'Suku Ke-4'], QUARTERS: ['Suku pertama', 'Suku Ke-2', 'Suku Ke-3', 'Suku Ke-4'], AMPMS: ['PG', 'PTG'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'dd/MM/yyyy', 'd/MM/yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale mt. */ goog.i18n.DateTimeSymbols_mt = { ERAS: ['QK', 'WK'], ERANAMES: ['Qabel Kristu', 'Wara Kristu'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'Ġ', 'L', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'Ġ', 'L', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['Jannar', 'Frar', 'Marzu', 'April', 'Mejju', 'Ġunju', 'Lulju', 'Awwissu', 'Settembru', 'Ottubru', 'Novembru', 'Diċembru'], STANDALONEMONTHS: ['Jannar', 'Frar', 'Marzu', 'April', 'Mejju', 'Ġunju', 'Lulju', 'Awwissu', 'Settembru', 'Ottubru', 'Novembru', 'Diċembru'], SHORTMONTHS: ['Jan', 'Fra', 'Mar', 'Apr', 'Mej', 'Ġun', 'Lul', 'Aww', 'Set', 'Ott', 'Nov', 'Diċ'], STANDALONESHORTMONTHS: ['Jan', 'Fra', 'Mar', 'Apr', 'Mej', 'Ġun', 'Lul', 'Aww', 'Set', 'Ott', 'Nov', 'Diċ'], WEEKDAYS: ['Il-Ħadd', 'It-Tnejn', 'It-Tlieta', 'L-Erbgħa', 'Il-Ħamis', 'Il-Ġimgħa', 'Is-Sibt'], STANDALONEWEEKDAYS: ['Il-Ħadd', 'It-Tnejn', 'It-Tlieta', 'L-Erbgħa', 'Il-Ħamis', 'Il-Ġimgħa', 'Is-Sibt'], SHORTWEEKDAYS: ['Ħad', 'Tne', 'Tli', 'Erb', 'Ħam', 'Ġim', 'Sib'], STANDALONESHORTWEEKDAYS: ['Ħad', 'Tne', 'Tli', 'Erb', 'Ħam', 'Ġim', 'Sib'], NARROWWEEKDAYS: ['Ħ', 'T', 'T', 'E', 'Ħ', 'Ġ', 'S'], STANDALONENARROWWEEKDAYS: ['Ħ', 'T', 'T', 'E', 'Ħ', 'Ġ', 'S'], SHORTQUARTERS: ['K1', 'K2', 'K3', 'K4'], QUARTERS: ['K1', 'K2', 'K3', 'K4'], AMPMS: ['QN', 'WN'], DATEFORMATS: ['EEEE, d \'ta\'’ MMMM y', 'd \'ta\'’ MMMM y', 'dd MMM y', 'dd/MM/yyyy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale nl. */ goog.i18n.DateTimeSymbols_nl = { ERAS: ['v. Chr.', 'n. Chr.'], ERANAMES: ['Voor Christus', 'na Christus'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['januari', 'februari', 'maart', 'april', 'mei', 'juni', 'juli', 'augustus', 'september', 'oktober', 'november', 'december'], STANDALONEMONTHS: ['januari', 'februari', 'maart', 'april', 'mei', 'juni', 'juli', 'augustus', 'september', 'oktober', 'november', 'december'], SHORTMONTHS: ['jan.', 'feb.', 'mrt.', 'apr.', 'mei', 'jun.', 'jul.', 'aug.', 'sep.', 'okt.', 'nov.', 'dec.'], STANDALONESHORTMONTHS: ['jan', 'feb', 'mrt', 'apr', 'mei', 'jun', 'jul', 'aug', 'sep', 'okt', 'nov', 'dec'], WEEKDAYS: ['zondag', 'maandag', 'dinsdag', 'woensdag', 'donderdag', 'vrijdag', 'zaterdag'], STANDALONEWEEKDAYS: ['zondag', 'maandag', 'dinsdag', 'woensdag', 'donderdag', 'vrijdag', 'zaterdag'], SHORTWEEKDAYS: ['zo', 'ma', 'di', 'wo', 'do', 'vr', 'za'], STANDALONESHORTWEEKDAYS: ['zo', 'ma', 'di', 'wo', 'do', 'vr', 'za'], NARROWWEEKDAYS: ['Z', 'M', 'D', 'W', 'D', 'V', 'Z'], STANDALONENARROWWEEKDAYS: ['Z', 'M', 'D', 'W', 'D', 'V', 'Z'], SHORTQUARTERS: ['K1', 'K2', 'K3', 'K4'], QUARTERS: ['1e kwartaal', '2e kwartaal', '3e kwartaal', '4e kwartaal'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'dd-MM-yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale no. */ goog.i18n.DateTimeSymbols_no = { ERAS: ['f.Kr.', 'e.Kr.'], ERANAMES: ['f.Kr.', 'e.Kr.'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['januar', 'februar', 'mars', 'april', 'mai', 'juni', 'juli', 'august', 'september', 'oktober', 'november', 'desember'], STANDALONEMONTHS: ['januar', 'februar', 'mars', 'april', 'mai', 'juni', 'juli', 'august', 'september', 'oktober', 'november', 'desember'], SHORTMONTHS: ['jan.', 'feb.', 'mars', 'apr.', 'mai', 'juni', 'juli', 'aug.', 'sep.', 'okt.', 'nov.', 'des.'], STANDALONESHORTMONTHS: ['jan', 'feb', 'mar', 'apr', 'mai', 'jun', 'jul', 'aug', 'sep', 'okt', 'nov', 'des'], WEEKDAYS: ['søndag', 'mandag', 'tirsdag', 'onsdag', 'torsdag', 'fredag', 'lørdag'], STANDALONEWEEKDAYS: ['søndag', 'mandag', 'tirsdag', 'onsdag', 'torsdag', 'fredag', 'lørdag'], SHORTWEEKDAYS: ['søn.', 'man.', 'tir.', 'ons.', 'tor.', 'fre.', 'lør.'], STANDALONESHORTWEEKDAYS: ['sø.', 'ma.', 'ti.', 'on.', 'to.', 'fr.', 'lø.'], NARROWWEEKDAYS: ['S', 'M', 'T', 'O', 'T', 'F', 'L'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'T', 'O', 'T', 'F', 'L'], SHORTQUARTERS: ['K1', 'K2', 'K3', 'K4'], QUARTERS: ['1. kvartal', '2. kvartal', '3. kvartal', '4. kvartal'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE d. MMMM y', 'd. MMMM y', 'd. MMM y', 'dd.MM.yy'], TIMEFORMATS: ['\'kl\'. HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale or. */ goog.i18n.DateTimeSymbols_or = { ERAS: ['BCE', 'CE'], ERANAMES: ['BCE', 'CE'], NARROWMONTHS: ['ଜା', 'ଫେ', 'ମା', 'ଅ', 'ମେ', 'ଜୁ', 'ଜୁ', 'ଅ', 'ସେ', 'ଅ', 'ନ', 'ଡି'], STANDALONENARROWMONTHS: ['ଜା', 'ଫେ', 'ମା', 'ଅ', 'ମେ', 'ଜୁ', 'ଜୁ', 'ଅ', 'ସେ', 'ଅ', 'ନ', 'ଡି'], MONTHS: ['ଜାନୁଆରୀ', 'ଫେବ୍ରୁୟାରୀ', 'ମାର୍ଚ୍ଚ', 'ଅପ୍ରେଲ', 'ମେ', 'ଜୁନ', 'ଜୁଲାଇ', 'ଅଗଷ୍ଟ', 'ସେପ୍ଟେମ୍ବର', 'ଅକ୍ଟୋବର', 'ନଭେମ୍ବର', 'ଡିସେମ୍ବର'], STANDALONEMONTHS: ['ଜାନୁଆରୀ', 'ଫେବ୍ରୁୟାରୀ', 'ମାର୍ଚ୍ଚ', 'ଅପ୍ରେଲ', 'ମେ', 'ଜୁନ', 'ଜୁଲାଇ', 'ଅଗଷ୍ଟ', 'ସେପ୍ଟେମ୍ବର', 'ଅକ୍ଟୋବର', 'ନଭେମ୍ବର', 'ଡିସେମ୍ବର'], SHORTMONTHS: ['ଜାନୁଆରୀ', 'ଫେବ୍ରୁୟାରୀ', 'ମାର୍ଚ୍ଚ', 'ଅପ୍ରେଲ', 'ମେ', 'ଜୁନ', 'ଜୁଲାଇ', 'ଅଗଷ୍ଟ', 'ସେପ୍ଟେମ୍ବର', 'ଅକ୍ଟୋବର', 'ନଭେମ୍ବର', 'ଡିସେମ୍ବର'], STANDALONESHORTMONTHS: ['ଜାନୁଆରୀ', 'ଫେବ୍ରୁୟାରୀ', 'ମାର୍ଚ୍ଚ', 'ଅପ୍ରେଲ', 'ମେ', 'ଜୁନ', 'ଜୁଲାଇ', 'ଅଗଷ୍ଟ', 'ସେପ୍ଟେମ୍ବର', 'ଅକ୍ଟୋବର', 'ନଭେମ୍ବର', 'ଡିସେମ୍ବର'], WEEKDAYS: ['ରବିବାର', 'ସୋମବାର', 'ମଙ୍ଗଳବାର', 'ବୁଧବାର', 'ଗୁରୁବାର', 'ଶୁକ୍ରବାର', 'ଶନିବାର'], STANDALONEWEEKDAYS: ['ରବିବାର', 'ସୋମବାର', 'ମଙ୍ଗଳବାର', 'ବୁଧବାର', 'ଗୁରୁବାର', 'ଶୁକ୍ରବାର', 'ଶନିବାର'], SHORTWEEKDAYS: ['ରବି', 'ସୋମ', 'ମଙ୍ଗଳ', 'ବୁଧ', 'ଗୁରୁ', 'ଶୁକ୍ର', 'ଶନି'], STANDALONESHORTWEEKDAYS: ['ରବି', 'ସୋମ', 'ମଙ୍ଗଳ', 'ବୁଧ', 'ଗୁରୁ', 'ଶୁକ୍ର', 'ଶନି'], NARROWWEEKDAYS: ['ର', 'ସୋ', 'ମ', 'ବୁ', 'ଗୁ', 'ଶୁ', 'ଶ'], STANDALONENARROWWEEKDAYS: ['ର', 'ସୋ', 'ମ', 'ବୁ', 'ଗୁ', 'ଶୁ', 'ଶ'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], AMPMS: ['am', 'pm'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'd-M-yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [6, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale pl. */ goog.i18n.DateTimeSymbols_pl = { ERAS: ['p.n.e.', 'n.e.'], ERANAMES: ['p.n.e.', 'n.e.'], NARROWMONTHS: ['s', 'l', 'm', 'k', 'm', 'c', 'l', 's', 'w', 'p', 'l', 'g'], STANDALONENARROWMONTHS: ['s', 'l', 'm', 'k', 'm', 'c', 'l', 's', 'w', 'p', 'l', 'g'], MONTHS: ['stycznia', 'lutego', 'marca', 'kwietnia', 'maja', 'czerwca', 'lipca', 'sierpnia', 'września', 'października', 'listopada', 'grudnia'], STANDALONEMONTHS: ['styczeń', 'luty', 'marzec', 'kwiecień', 'maj', 'czerwiec', 'lipiec', 'sierpień', 'wrzesień', 'październik', 'listopad', 'grudzień'], SHORTMONTHS: ['sty', 'lut', 'mar', 'kwi', 'maj', 'cze', 'lip', 'sie', 'wrz', 'paź', 'lis', 'gru'], STANDALONESHORTMONTHS: ['sty', 'lut', 'mar', 'kwi', 'maj', 'cze', 'lip', 'sie', 'wrz', 'paź', 'lis', 'gru'], WEEKDAYS: ['niedziela', 'poniedziałek', 'wtorek', 'środa', 'czwartek', 'piątek', 'sobota'], STANDALONEWEEKDAYS: ['niedziela', 'poniedziałek', 'wtorek', 'środa', 'czwartek', 'piątek', 'sobota'], SHORTWEEKDAYS: ['niedz.', 'pon.', 'wt.', 'śr.', 'czw.', 'pt.', 'sob.'], STANDALONESHORTWEEKDAYS: ['niedz.', 'pon.', 'wt.', 'śr.', 'czw.', 'pt.', 'sob.'], NARROWWEEKDAYS: ['N', 'P', 'W', 'Ś', 'C', 'P', 'S'], STANDALONENARROWWEEKDAYS: ['N', 'P', 'W', 'Ś', 'C', 'P', 'S'], SHORTQUARTERS: ['K1', 'K2', 'K3', 'K4'], QUARTERS: ['I kwartał', 'II kwartał', 'III kwartał', 'IV kwartał'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'dd.MM.yyyy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale pt. */ goog.i18n.DateTimeSymbols_pt = { ERAS: ['a.C.', 'd.C.'], ERANAMES: ['Antes de Cristo', 'Ano do Senhor'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['janeiro', 'fevereiro', 'março', 'abril', 'maio', 'junho', 'julho', 'agosto', 'setembro', 'outubro', 'novembro', 'dezembro'], STANDALONEMONTHS: ['janeiro', 'fevereiro', 'março', 'abril', 'maio', 'junho', 'julho', 'agosto', 'setembro', 'outubro', 'novembro', 'dezembro'], SHORTMONTHS: ['jan', 'fev', 'mar', 'abr', 'mai', 'jun', 'jul', 'ago', 'set', 'out', 'nov', 'dez'], STANDALONESHORTMONTHS: ['jan', 'fev', 'mar', 'abr', 'mai', 'jun', 'jul', 'ago', 'set', 'out', 'nov', 'dez'], WEEKDAYS: ['domingo', 'segunda-feira', 'terça-feira', 'quarta-feira', 'quinta-feira', 'sexta-feira', 'sábado'], STANDALONEWEEKDAYS: ['domingo', 'segunda-feira', 'terça-feira', 'quarta-feira', 'quinta-feira', 'sexta-feira', 'sábado'], SHORTWEEKDAYS: ['dom', 'seg', 'ter', 'qua', 'qui', 'sex', 'sáb'], STANDALONESHORTWEEKDAYS: ['dom', 'seg', 'ter', 'qua', 'qui', 'sex', 'sáb'], NARROWWEEKDAYS: ['D', 'S', 'T', 'Q', 'Q', 'S', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'S', 'T', 'Q', 'Q', 'S', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1º trimestre', '2º trimestre', '3º trimestre', '4º trimestre'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, d \'de\' MMMM \'de\' y', 'd \'de\' MMMM \'de\' y', 'dd/MM/yyyy', 'dd/MM/yy'], TIMEFORMATS: ['HH\'h\'mm\'min\'ss\'s\' zzzz', 'HH\'h\'mm\'min\'ss\'s\' z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale pt_BR. */ goog.i18n.DateTimeSymbols_pt_BR = goog.i18n.DateTimeSymbols_pt; /** * Date/time formatting symbols for locale pt_PT. */ goog.i18n.DateTimeSymbols_pt_PT = { ERAS: ['a.C.', 'd.C.'], ERANAMES: ['Antes de Cristo', 'Ano do Senhor'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['Janeiro', 'Fevereiro', 'Março', 'Abril', 'Maio', 'Junho', 'Julho', 'Agosto', 'Setembro', 'Outubro', 'Novembro', 'Dezembro'], STANDALONEMONTHS: ['Janeiro', 'Fevereiro', 'Março', 'Abril', 'Maio', 'Junho', 'Julho', 'Agosto', 'Setembro', 'Outubro', 'Novembro', 'Dezembro'], SHORTMONTHS: ['Jan', 'Fev', 'Mar', 'Abr', 'Mai', 'Jun', 'Jul', 'Ago', 'Set', 'Out', 'Nov', 'Dez'], STANDALONESHORTMONTHS: ['Jan', 'Fev', 'Mar', 'Abr', 'Mai', 'Jun', 'Jul', 'Ago', 'Set', 'Out', 'Nov', 'Dez'], WEEKDAYS: ['Domingo', 'Segunda-feira', 'Terça-feira', 'Quarta-feira', 'Quinta-feira', 'Sexta-feira', 'Sábado'], STANDALONEWEEKDAYS: ['Domingo', 'Segunda-feira', 'Terça-feira', 'Quarta-feira', 'Quinta-feira', 'Sexta-feira', 'Sábado'], SHORTWEEKDAYS: ['dom', 'seg', 'ter', 'qua', 'qui', 'sex', 'sáb'], STANDALONESHORTWEEKDAYS: ['dom', 'seg', 'ter', 'qua', 'qui', 'sex', 'sáb'], NARROWWEEKDAYS: ['D', 'S', 'T', 'Q', 'Q', 'S', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'S', 'T', 'Q', 'Q', 'S', 'S'], SHORTQUARTERS: ['T1', 'T2', 'T3', 'T4'], QUARTERS: ['1.º trimestre', '2.º trimestre', '3.º trimestre', '4.º trimestre'], AMPMS: ['a.m.', 'p.m.'], DATEFORMATS: ['EEEE, d \'de\' MMMM \'de\' y', 'd \'de\' MMMM \'de\' y', 'dd/MM/yyyy', 'dd/MM/yy'], TIMEFORMATS: ['H:mm:ss zzzz', 'H:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale ro. */ goog.i18n.DateTimeSymbols_ro = { ERAS: ['î.Hr.', 'd.Hr.'], ERANAMES: ['înainte de Hristos', 'după Hristos'], NARROWMONTHS: ['I', 'F', 'M', 'A', 'M', 'I', 'I', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['I', 'F', 'M', 'A', 'M', 'I', 'I', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['ianuarie', 'februarie', 'martie', 'aprilie', 'mai', 'iunie', 'iulie', 'august', 'septembrie', 'octombrie', 'noiembrie', 'decembrie'], STANDALONEMONTHS: ['ianuarie', 'februarie', 'martie', 'aprilie', 'mai', 'iunie', 'iulie', 'august', 'septembrie', 'octombrie', 'noiembrie', 'decembrie'], SHORTMONTHS: ['ian.', 'feb.', 'mar.', 'apr.', 'mai', 'iun.', 'iul.', 'aug.', 'sept.', 'oct.', 'nov.', 'dec.'], STANDALONESHORTMONTHS: ['ian.', 'feb.', 'mar.', 'apr.', 'mai', 'iun.', 'iul.', 'aug.', 'sept.', 'oct.', 'nov.', 'dec.'], WEEKDAYS: ['duminică', 'luni', 'marți', 'miercuri', 'joi', 'vineri', 'sâmbătă'], STANDALONEWEEKDAYS: ['duminică', 'luni', 'marți', 'miercuri', 'joi', 'vineri', 'sâmbătă'], SHORTWEEKDAYS: ['Du', 'Lu', 'Ma', 'Mi', 'Jo', 'Vi', 'Sâ'], STANDALONESHORTWEEKDAYS: ['Du', 'Lu', 'Ma', 'Mi', 'Jo', 'Vi', 'Sâ'], NARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'L', 'M', 'M', 'J', 'V', 'S'], SHORTQUARTERS: ['trim. I', 'trim. II', 'trim. III', 'trim. IV'], QUARTERS: ['trimestrul I', 'trimestrul al II-lea', 'trimestrul al III-lea', 'trimestrul al IV-lea'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'dd.MM.yyyy', 'dd.MM.yyyy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale ru. */ goog.i18n.DateTimeSymbols_ru = { ERAS: ['до н.э.', 'н.э.'], ERANAMES: ['до н.э.', 'н.э.'], NARROWMONTHS: ['Я', 'Ф', 'М', 'А', 'М', 'И', 'И', 'А', 'С', 'О', 'Н', 'Д'], STANDALONENARROWMONTHS: ['Я', 'Ф', 'М', 'А', 'М', 'И', 'И', 'А', 'С', 'О', 'Н', 'Д'], MONTHS: ['января', 'февраля', 'марта', 'апреля', 'мая', 'июня', 'июля', 'августа', 'сентября', 'октября', 'ноября', 'декабря'], STANDALONEMONTHS: ['Январь', 'Февраль', 'Март', 'Апрель', 'Май', 'Июнь', 'Июль', 'Август', 'Сентябрь', 'Октябрь', 'Ноябрь', 'Декабрь'], SHORTMONTHS: ['янв.', 'февр.', 'марта', 'апр.', 'мая', 'июня', 'июля', 'авг.', 'сент.', 'окт.', 'нояб.', 'дек.'], STANDALONESHORTMONTHS: ['Янв.', 'Февр.', 'Март', 'Апр.', 'Май', 'Июнь', 'Июль', 'Авг.', 'Сент.', 'Окт.', 'Нояб.', 'Дек.'], WEEKDAYS: ['воскресенье', 'понедельник', 'вторник', 'среда', 'четверг', 'пятница', 'суббота'], STANDALONEWEEKDAYS: ['Воскресенье', 'Понедельник', 'Вторник', 'Среда', 'Четверг', 'Пятница', 'Суббота'], SHORTWEEKDAYS: ['вс', 'пн', 'вт', 'ср', 'чт', 'пт', 'сб'], STANDALONESHORTWEEKDAYS: ['Вс', 'Пн', 'Вт', 'Ср', 'Чт', 'Пт', 'Сб'], NARROWWEEKDAYS: ['В', 'Пн', 'Вт', 'С', 'Ч', 'П', 'С'], STANDALONENARROWWEEKDAYS: ['В', 'П', 'В', 'С', 'Ч', 'П', 'С'], SHORTQUARTERS: ['1-й кв.', '2-й кв.', '3-й кв.', '4-й кв.'], QUARTERS: ['1-й квартал', '2-й квартал', '3-й квартал', '4-й квартал'], AMPMS: ['до полудня', 'после полудня'], DATEFORMATS: ['EEEE, d MMMM y \'г\'.', 'd MMMM y \'г\'.', 'dd.MM.yyyy', 'dd.MM.yy'], TIMEFORMATS: ['H:mm:ss zzzz', 'H:mm:ss z', 'H:mm:ss', 'H:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale sk. */ goog.i18n.DateTimeSymbols_sk = { ERAS: ['pred n.l.', 'n.l.'], ERANAMES: ['pred n.l.', 'n.l.'], NARROWMONTHS: ['j', 'f', 'm', 'a', 'm', 'j', 'j', 'a', 's', 'o', 'n', 'd'], STANDALONENARROWMONTHS: ['j', 'f', 'm', 'a', 'm', 'j', 'j', 'a', 's', 'o', 'n', 'd'], MONTHS: ['januára', 'februára', 'marca', 'apríla', 'mája', 'júna', 'júla', 'augusta', 'septembra', 'októbra', 'novembra', 'decembra'], STANDALONEMONTHS: ['január', 'február', 'marec', 'apríl', 'máj', 'jún', 'júl', 'august', 'september', 'október', 'november', 'december'], SHORTMONTHS: ['jan', 'feb', 'mar', 'apr', 'máj', 'jún', 'júl', 'aug', 'sep', 'okt', 'nov', 'dec'], STANDALONESHORTMONTHS: ['jan', 'feb', 'mar', 'apr', 'máj', 'jún', 'júl', 'aug', 'sep', 'okt', 'nov', 'dec'], WEEKDAYS: ['nedeľa', 'pondelok', 'utorok', 'streda', 'štvrtok', 'piatok', 'sobota'], STANDALONEWEEKDAYS: ['nedeľa', 'pondelok', 'utorok', 'streda', 'štvrtok', 'piatok', 'sobota'], SHORTWEEKDAYS: ['ne', 'po', 'ut', 'st', 'št', 'pi', 'so'], STANDALONESHORTWEEKDAYS: ['ne', 'po', 'ut', 'st', 'št', 'pi', 'so'], NARROWWEEKDAYS: ['N', 'P', 'U', 'S', 'Š', 'P', 'S'], STANDALONENARROWWEEKDAYS: ['N', 'P', 'U', 'S', 'Š', 'P', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['1. štvrťrok', '2. štvrťrok', '3. štvrťrok', '4. štvrťrok'], AMPMS: ['dopoludnia', 'popoludní'], DATEFORMATS: ['EEEE, d. MMMM y', 'd. MMMM y', 'd.M.yyyy', 'd.M.yyyy'], TIMEFORMATS: ['H:mm:ss zzzz', 'H:mm:ss z', 'H:mm:ss', 'H:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale sl. */ goog.i18n.DateTimeSymbols_sl = { ERAS: ['pr. n. št.', 'po Kr.'], ERANAMES: ['pred našim štetjem', 'naše štetje'], NARROWMONTHS: ['j', 'f', 'm', 'a', 'm', 'j', 'j', 'a', 's', 'o', 'n', 'd'], STANDALONENARROWMONTHS: ['j', 'f', 'm', 'a', 'm', 'j', 'j', 'a', 's', 'o', 'n', 'd'], MONTHS: ['januar', 'februar', 'marec', 'april', 'maj', 'junij', 'julij', 'avgust', 'september', 'oktober', 'november', 'december'], STANDALONEMONTHS: ['januar', 'februar', 'marec', 'april', 'maj', 'junij', 'julij', 'avgust', 'september', 'oktober', 'november', 'december'], SHORTMONTHS: ['jan.', 'feb.', 'mar.', 'apr.', 'maj', 'jun.', 'jul.', 'avg.', 'sep.', 'okt.', 'nov.', 'dec.'], STANDALONESHORTMONTHS: ['jan', 'feb', 'mar', 'apr', 'maj', 'jun', 'jul', 'avg', 'sep', 'okt', 'nov', 'dec'], WEEKDAYS: ['nedelja', 'ponedeljek', 'torek', 'sreda', 'četrtek', 'petek', 'sobota'], STANDALONEWEEKDAYS: ['nedelja', 'ponedeljek', 'torek', 'sreda', 'četrtek', 'petek', 'sobota'], SHORTWEEKDAYS: ['ned.', 'pon.', 'tor.', 'sre.', 'čet.', 'pet.', 'sob.'], STANDALONESHORTWEEKDAYS: ['ned', 'pon', 'tor', 'sre', 'čet', 'pet', 'sob'], NARROWWEEKDAYS: ['n', 'p', 't', 's', 'č', 'p', 's'], STANDALONENARROWWEEKDAYS: ['n', 'p', 't', 's', 'č', 'p', 's'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['1. četrtletje', '2. četrtletje', '3. četrtletje', '4. četrtletje'], AMPMS: ['dop.', 'pop.'], DATEFORMATS: ['EEEE, dd. MMMM y', 'dd. MMMM y', 'd. MMM yyyy', 'd. MM. yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale sq. */ goog.i18n.DateTimeSymbols_sq = { ERAS: ['p.e.r.', 'n.e.r.'], ERANAMES: ['p.e.r.', 'n.e.r.'], NARROWMONTHS: ['J', 'S', 'M', 'P', 'M', 'Q', 'K', 'G', 'S', 'T', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'S', 'M', 'P', 'M', 'Q', 'K', 'G', 'S', 'T', 'N', 'D'], MONTHS: ['janar', 'shkurt', 'mars', 'prill', 'maj', 'qershor', 'korrik', 'gusht', 'shtator', 'tetor', 'nëntor', 'dhjetor'], STANDALONEMONTHS: ['janar', 'shkurt', 'mars', 'prill', 'maj', 'qershor', 'korrik', 'gusht', 'shtator', 'tetor', 'nëntor', 'dhjetor'], SHORTMONTHS: ['Jan', 'Shk', 'Mar', 'Pri', 'Maj', 'Qer', 'Kor', 'Gsh', 'Sht', 'Tet', 'Nën', 'Dhj'], STANDALONESHORTMONTHS: ['Jan', 'Shk', 'Mar', 'Pri', 'Maj', 'Qer', 'Kor', 'Gsh', 'Sht', 'Tet', 'Nën', 'Dhj'], WEEKDAYS: ['e diel', 'e hënë', 'e martë', 'e mërkurë', 'e enjte', 'e premte', 'e shtunë'], STANDALONEWEEKDAYS: ['e diel', 'e hënë', 'e martë', 'e mërkurë', 'e enjte', 'e premte', 'e shtunë'], SHORTWEEKDAYS: ['Die', 'Hën', 'Mar', 'Mër', 'Enj', 'Pre', 'Sht'], STANDALONESHORTWEEKDAYS: ['Die', 'Hën', 'Mar', 'Mër', 'Enj', 'Pre', 'Sht'], NARROWWEEKDAYS: ['D', 'H', 'M', 'M', 'E', 'P', 'S'], STANDALONENARROWWEEKDAYS: ['D', 'H', 'M', 'M', 'E', 'P', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], AMPMS: ['PD', 'MD'], DATEFORMATS: ['EEEE, dd MMMM y', 'dd MMMM y', 'yyyy-MM-dd', 'yy-MM-dd'], TIMEFORMATS: ['h.mm.ss.a zzzz', 'h.mm.ss.a z', 'h.mm.ss.a', 'h.mm.a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale sr. */ goog.i18n.DateTimeSymbols_sr = { ERAS: ['п. н. е.', 'н. е.'], ERANAMES: ['Пре нове ере', 'Нове ере'], NARROWMONTHS: ['ј', 'ф', 'м', 'а', 'м', 'ј', 'ј', 'а', 'с', 'о', 'н', 'д'], STANDALONENARROWMONTHS: ['ј', 'ф', 'м', 'а', 'м', 'ј', 'ј', 'а', 'с', 'о', 'н', 'д'], MONTHS: ['јануар', 'фебруар', 'март', 'април', 'мај', 'јун', 'јул', 'август', 'септембар', 'октобар', 'новембар', 'децембар'], STANDALONEMONTHS: ['јануар', 'фебруар', 'март', 'април', 'мај', 'јун', 'јул', 'август', 'септембар', 'октобар', 'новембар', 'децембар'], SHORTMONTHS: ['јан', 'феб', 'мар', 'апр', 'мај', 'јун', 'јул', 'авг', 'сеп', 'окт', 'нов', 'дец'], STANDALONESHORTMONTHS: ['јан', 'феб', 'мар', 'апр', 'мај', 'јун', 'јул', 'авг', 'сеп', 'окт', 'нов', 'дец'], WEEKDAYS: ['недеља', 'понедељак', 'уторак', 'среда', 'четвртак', 'петак', 'субота'], STANDALONEWEEKDAYS: ['недеља', 'понедељак', 'уторак', 'среда', 'четвртак', 'петак', 'субота'], SHORTWEEKDAYS: ['нед', 'пон', 'уто', 'сре', 'чет', 'пет', 'суб'], STANDALONESHORTWEEKDAYS: ['нед', 'пон', 'уто', 'сре', 'чет', 'пет', 'суб'], NARROWWEEKDAYS: ['н', 'п', 'у', 'с', 'ч', 'п', 'с'], STANDALONENARROWWEEKDAYS: ['н', 'п', 'у', 'с', 'ч', 'п', 'с'], SHORTQUARTERS: ['К1', 'К2', 'К3', 'К4'], QUARTERS: ['Прво тромесечје', 'Друго тромесечје', 'Треће тромесечје', 'Четврто тромесечје'], AMPMS: ['пре подне', 'поподне'], DATEFORMATS: ['EEEE, dd. MMMM y.', 'dd. MMMM y.', 'dd.MM.y.', 'd.M.yy.'], TIMEFORMATS: ['HH.mm.ss zzzz', 'HH.mm.ss z', 'HH.mm.ss', 'HH.mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale sv. */ goog.i18n.DateTimeSymbols_sv = { ERAS: ['f.Kr.', 'e.Kr.'], ERANAMES: ['före Kristus', 'efter Kristus'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['januari', 'februari', 'mars', 'april', 'maj', 'juni', 'juli', 'augusti', 'september', 'oktober', 'november', 'december'], STANDALONEMONTHS: ['januari', 'februari', 'mars', 'april', 'maj', 'juni', 'juli', 'augusti', 'september', 'oktober', 'november', 'december'], SHORTMONTHS: ['jan', 'feb', 'mar', 'apr', 'maj', 'jun', 'jul', 'aug', 'sep', 'okt', 'nov', 'dec'], STANDALONESHORTMONTHS: ['jan', 'feb', 'mar', 'apr', 'maj', 'jun', 'jul', 'aug', 'sep', 'okt', 'nov', 'dec'], WEEKDAYS: ['söndag', 'måndag', 'tisdag', 'onsdag', 'torsdag', 'fredag', 'lördag'], STANDALONEWEEKDAYS: ['söndag', 'måndag', 'tisdag', 'onsdag', 'torsdag', 'fredag', 'lördag'], SHORTWEEKDAYS: ['sön', 'mån', 'tis', 'ons', 'tors', 'fre', 'lör'], STANDALONESHORTWEEKDAYS: ['sön', 'mån', 'tis', 'ons', 'tor', 'fre', 'lör'], NARROWWEEKDAYS: ['S', 'M', 'T', 'O', 'T', 'F', 'L'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'T', 'O', 'T', 'F', 'L'], SHORTQUARTERS: ['K1', 'K2', 'K3', 'K4'], QUARTERS: ['1:a kvartalet', '2:a kvartalet', '3:e kvartalet', '4:e kvartalet'], AMPMS: ['fm', 'em'], DATEFORMATS: ['EEEE\'en\' \'den\' d:\'e\' MMMM y', 'd MMMM y', 'd MMM y', 'yyyy-MM-dd'], TIMEFORMATS: ['\'kl\'. HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 3 }; /** * Date/time formatting symbols for locale sw. */ goog.i18n.DateTimeSymbols_sw = { ERAS: ['KK', 'BK'], ERANAMES: ['Kabla ya Kristo', 'Baada ya Kristo'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['Januari', 'Februari', 'Machi', 'Aprili', 'Mei', 'Juni', 'Julai', 'Agosti', 'Septemba', 'Oktoba', 'Novemba', 'Desemba'], STANDALONEMONTHS: ['Januari', 'Februari', 'Machi', 'Aprili', 'Mei', 'Juni', 'Julai', 'Agosti', 'Septemba', 'Oktoba', 'Novemba', 'Desemba'], SHORTMONTHS: ['Jan', 'Feb', 'Mac', 'Apr', 'Mei', 'Jun', 'Jul', 'Ago', 'Sep', 'Okt', 'Nov', 'Des'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mac', 'Apr', 'Mei', 'Jun', 'Jul', 'Ago', 'Sep', 'Okt', 'Nov', 'Des'], WEEKDAYS: ['Jumapili', 'Jumatatu', 'Jumanne', 'Jumatano', 'Alhamisi', 'Ijumaa', 'Jumamosi'], STANDALONEWEEKDAYS: ['Jumapili', 'Jumatatu', 'Jumanne', 'Jumatano', 'Alhamisi', 'Ijumaa', 'Jumamosi'], SHORTWEEKDAYS: ['J2', 'J3', 'J4', 'J5', 'Alh', 'Ij', 'J1'], STANDALONESHORTWEEKDAYS: ['J2', 'J3', 'J4', 'J5', 'Alh', 'Ij', 'J1'], NARROWWEEKDAYS: ['2', '3', '4', '5', 'A', 'I', '1'], STANDALONENARROWWEEKDAYS: ['2', '3', '4', '5', 'A', 'I', '1'], SHORTQUARTERS: ['R1', 'R2', 'R3', 'R4'], QUARTERS: ['Robo 1', 'Robo 2', 'Robo 3', 'Robo 4'], AMPMS: ['asubuhi', 'alasiri'], DATEFORMATS: ['EEEE, d MMMM y', 'd MMMM y', 'd MMM y', 'dd/MM/yyyy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale ta. */ goog.i18n.DateTimeSymbols_ta = { ERAS: ['கி.மு.', 'கி.பி.'], ERANAMES: ['கிறிஸ்துவுக்கு முன்', 'அனோ டோமினி'], NARROWMONTHS: ['ஜ', 'பி', 'மா', 'ஏ', 'மே', 'ஜூ', 'ஜூ', 'ஆ', 'செ', 'அ', 'ந', 'டி'], STANDALONENARROWMONTHS: ['ஜ', 'பி', 'மா', 'ஏ', 'மே', 'ஜூ', 'ஜூ', 'ஆ', 'செ', 'அ', 'ந', 'டி'], MONTHS: ['ஜனவரி', 'பிப்ரவரி', 'மார்ச்', 'ஏப்ரல்', 'மே', 'ஜூன்', 'ஜூலை', 'ஆகஸ்ட்', 'செப்டம்பர்', 'அக்டோபர்', 'நவம்பர்', 'டிசம்பர்'], STANDALONEMONTHS: ['ஜனவரி', 'பிப்ரவரி', 'மார்ச்', 'ஏப்ரல்', 'மே', 'ஜூன்', 'ஜூலை', 'ஆகஸ்டு', 'செப்டம்பர்', 'அக்டோபர்', 'நவம்பர்', 'டிசம்பர்'], SHORTMONTHS: ['ஜன.', 'பிப்.', 'மார்.', 'ஏப்.', 'மே', 'ஜூன்', 'ஜூலை', 'ஆக.', 'செப்.', 'அக்.', 'நவ.', 'டிச.'], STANDALONESHORTMONTHS: ['ஜன.', 'பிப்.', 'மார்.', 'ஏப்.', 'மே', 'ஜூன்', 'ஜூலை', 'ஆக.', 'செப்.', 'அக்.', 'நவ.', 'டிச.'], WEEKDAYS: ['ஞாயிறு', 'திங்கள்', 'செவ்வாய்', 'புதன்', 'வியாழன்', 'வெள்ளி', 'சனி'], STANDALONEWEEKDAYS: ['ஞாயிறு', 'திங்கள்', 'செவ்வாய்', 'புதன்', 'வியாழன்', 'வெள்ளி', 'சனி'], SHORTWEEKDAYS: ['ஞா', 'தி', 'செ', 'பு', 'வி', 'வெ', 'ச'], STANDALONESHORTWEEKDAYS: ['ஞா', 'தி', 'செ', 'பு', 'வி', 'வெ', 'ச'], NARROWWEEKDAYS: ['ஞா', 'தி', 'செ', 'பு', 'வி', 'வெ', 'ச'], STANDALONENARROWWEEKDAYS: ['ஞா', 'தி', 'செ', 'பு', 'வி', 'வெ', 'ச'], SHORTQUARTERS: ['காலாண்டு1', 'காலாண்டு2', 'காலாண்டு3', 'காலாண்டு4'], QUARTERS: ['முதல் காலாண்டு', 'இரண்டாம் காலாண்டு', 'மூன்றாம் காலாண்டு', 'நான்காம் காலாண்டு'], AMPMS: ['am', 'pm'], DATEFORMATS: ['EEEE, d MMMM, y', 'd MMMM, y', 'd MMM, y', 'd-M-yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [6, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale te. */ goog.i18n.DateTimeSymbols_te = { ERAS: ['ఈసాపూర్వ.', 'సన్.'], ERANAMES: ['ఈసాపూర్వ.', 'సన్.'], NARROWMONTHS: ['జ', 'ఫి', 'మా', 'ఏ', 'మె', 'జు', 'జు', 'ఆ', 'సె', 'అ', 'న', 'డి'], STANDALONENARROWMONTHS: ['జ', 'ఫి', 'మ', 'ఎ', 'మె', 'జు', 'జు', 'ఆ', 'సె', 'అ', 'న', 'డి'], MONTHS: ['జనవరి', 'ఫిబ్రవరి', 'మార్చి', 'ఎప్రిల్', 'మే', 'జూన్', 'జూలై', 'ఆగస్టు', 'సెప్టెంబర్', 'అక్టోబర్', 'నవంబర్', 'డిసెంబర్'], STANDALONEMONTHS: ['జనవరి', 'ఫిబ్రవరి', 'మార్చి', 'ఎప్రిల్', 'మే', 'జూన్', 'జూలై', 'ఆగస్టు', 'సెప్టెంబర్', 'అక్టోబర్', 'నవంబర్', 'డిసెంబర్'], SHORTMONTHS: ['జన', 'ఫిబ్ర', 'మార్చి', 'ఏప్రి', 'మే', 'జూన్', 'జూలై', 'ఆగస్టు', 'సెప్టెంబర్', 'అక్టోబర్', 'నవంబర్', 'డిసెంబర్'], STANDALONESHORTMONTHS: ['జన', 'ఫిబ్ర', 'మార్చి', 'ఏప్రి', 'మే', 'జూన్', 'జూలై', 'ఆగస్టు', 'సెప్టెంబర్', 'అక్టోబర్', 'నవంబర్', 'డిసెంబర్'], WEEKDAYS: ['ఆదివారం', 'సోమవారం', 'మంగళవారం', 'బుధవారం', 'గురువారం', 'శుక్రవారం', 'శనివారం'], STANDALONEWEEKDAYS: ['ఆదివారం', 'సోమవారం', 'మంగళవారం', 'బుధవారం', 'గురువారం', 'శుక్రవారం', 'శనివారం'], SHORTWEEKDAYS: ['ఆది', 'సోమ', 'మంగళ', 'బుధ', 'గురు', 'శుక్ర', 'శని'], STANDALONESHORTWEEKDAYS: ['ఆది', 'సోమ', 'మంగళ', 'బుధ', 'గురు', 'శుక్ర', 'శని'], NARROWWEEKDAYS: ['ఆ', 'సో', 'మ', 'బు', 'గు', 'శు', 'శ'], STANDALONENARROWWEEKDAYS: ['ఆ', 'సో', 'మ', 'బు', 'గు', 'శు', 'శ'], SHORTQUARTERS: ['ఒకటి 1', 'రెండు 2', 'మూడు 3', 'నాలుగు 4'], QUARTERS: ['ఒకటి 1', 'రెండు 2', 'మూడు 3', 'నాలుగు 4'], AMPMS: ['am', 'pm'], DATEFORMATS: ['EEEE d MMMM y', 'd MMMM y', 'd MMM y', 'dd-MM-yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [6, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale th. */ goog.i18n.DateTimeSymbols_th = { ERAS: ['ปีก่อน ค.ศ.', 'ค.ศ.'], ERANAMES: ['ปีก่อนคริสต์ศักราช', 'คริสต์ศักราช'], NARROWMONTHS: ['ม.ค.', 'ก.พ.', 'มี.ค.', 'เม.ย.', 'พ.ค.', 'มิ.ย', 'ก.ค.', 'ส.ค.', 'ก.ย.', 'ต.ค.', 'พ.ย.', 'ธ.ค.'], STANDALONENARROWMONTHS: ['ม.ค.', 'ก.พ.', 'มี.ค.', 'เม.ย.', 'พ.ค.', 'มิ.ย.', 'ก.ค.', 'ส.ค.', 'ก.ย.', 'ต.ค.', 'พ.ย.', 'ธ.ค.'], MONTHS: ['มกราคม', 'กุมภาพันธ์', 'มีนาคม', 'เมษายน', 'พฤษภาคม', 'มิถุนายน', 'กรกฎาคม', 'สิงหาคม', 'กันยายน', 'ตุลาคม', 'พฤศจิกายน', 'ธันวาคม'], STANDALONEMONTHS: ['มกราคม', 'กุมภาพันธ์', 'มีนาคม', 'เมษายน', 'พฤษภาคม', 'มิถุนายน', 'กรกฎาคม', 'สิงหาคม', 'กันยายน', 'ตุลาคม', 'พฤศจิกายน', 'ธันวาคม'], SHORTMONTHS: ['ม.ค.', 'ก.พ.', 'มี.ค.', 'เม.ย.', 'พ.ค.', 'มิ.ย.', 'ก.ค.', 'ส.ค.', 'ก.ย.', 'ต.ค.', 'พ.ย.', 'ธ.ค.'], STANDALONESHORTMONTHS: ['ม.ค.', 'ก.พ.', 'มี.ค.', 'เม.ย.', 'พ.ค.', 'มิ.ย.', 'ก.ค.', 'ส.ค.', 'ก.ย.', 'ต.ค.', 'พ.ย.', 'ธ.ค.'], WEEKDAYS: ['วันอาทิตย์', 'วันจันทร์', 'วันอังคาร', 'วันพุธ', 'วันพฤหัสบดี', 'วันศุกร์', 'วันเสาร์'], STANDALONEWEEKDAYS: ['วันอาทิตย์', 'วันจันทร์', 'วันอังคาร', 'วันพุธ', 'วันพฤหัสบดี', 'วันศุกร์', 'วันเสาร์'], SHORTWEEKDAYS: ['อา.', 'จ.', 'อ.', 'พ.', 'พฤ.', 'ศ.', 'ส.'], STANDALONESHORTWEEKDAYS: ['อา.', 'จ.', 'อ.', 'พ.', 'พฤ.', 'ศ.', 'ส.'], NARROWWEEKDAYS: ['อ', 'จ', 'อ', 'พ', 'พ', 'ศ', 'ส'], STANDALONENARROWWEEKDAYS: ['อ', 'จ', 'อ', 'พ', 'พ', 'ศ', 'ส'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['ไตรมาส 1', 'ไตรมาส 2', 'ไตรมาส 3', 'ไตรมาส 4'], AMPMS: ['ก่อนเที่ยง', 'หลังเที่ยง'], DATEFORMATS: ['EEEEที่ d MMMM G y', 'd MMMM y', 'd MMM y', 'd/M/yyyy'], TIMEFORMATS: [ 'H นาฬิกา m นาที ss วินาที zzzz', 'H นาฬิกา m นาที ss วินาที z', 'H:mm:ss', 'H:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale tl. */ goog.i18n.DateTimeSymbols_tl = { ERAS: ['BC', 'AD'], ERANAMES: ['BC', 'AD'], NARROWMONTHS: ['E', 'P', 'M', 'A', 'M', 'H', 'H', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['E', 'P', 'M', 'A', 'M', 'H', 'H', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['Enero', 'Pebrero', 'Marso', 'Abril', 'Mayo', 'Hunyo', 'Hulyo', 'Agosto', 'Setyembre', 'Oktubre', 'Nobyembre', 'Disyembre'], STANDALONEMONTHS: ['Enero', 'Pebrero', 'Marso', 'Abril', 'Mayo', 'Hunyo', 'Hulyo', 'Agosto', 'Setyembre', 'Oktubre', 'Nobyembre', 'Disyembre'], SHORTMONTHS: ['Ene', 'Peb', 'Mar', 'Abr', 'May', 'Hun', 'Hul', 'Ago', 'Set', 'Okt', 'Nob', 'Dis'], STANDALONESHORTMONTHS: ['Ene', 'Peb', 'Mar', 'Abr', 'May', 'Hun', 'Hul', 'Ago', 'Set', 'Okt', 'Nob', 'Dis'], WEEKDAYS: ['Linggo', 'Lunes', 'Martes', 'Miyerkules', 'Huwebes', 'Biyernes', 'Sabado'], STANDALONEWEEKDAYS: ['Linggo', 'Lunes', 'Martes', 'Miyerkules', 'Huwebes', 'Biyernes', 'Sabado'], SHORTWEEKDAYS: ['Lin', 'Lun', 'Mar', 'Mye', 'Huw', 'Bye', 'Sab'], STANDALONESHORTWEEKDAYS: ['Lin', 'Lun', 'Mar', 'Miy', 'Huw', 'Biy', 'Sab'], NARROWWEEKDAYS: ['L', 'L', 'M', 'M', 'H', 'B', 'S'], STANDALONENARROWWEEKDAYS: ['L', 'L', 'M', 'M', 'H', 'B', 'S'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['ika-1 sangkapat', 'ika-2 sangkapat', 'ika-3 quarter', 'ika-4 na quarter'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE, MMMM dd y', 'MMMM d, y', 'MMM d, y', 'M/d/yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale tr. */ goog.i18n.DateTimeSymbols_tr = { ERAS: ['MÖ', 'MS'], ERANAMES: ['Milattan Önce', 'Milattan Sonra'], NARROWMONTHS: ['O', 'Ş', 'M', 'N', 'M', 'H', 'T', 'A', 'E', 'E', 'K', 'A'], STANDALONENARROWMONTHS: ['O', 'Ş', 'M', 'N', 'M', 'H', 'T', 'A', 'E', 'E', 'K', 'A'], MONTHS: ['Ocak', 'Şubat', 'Mart', 'Nisan', 'Mayıs', 'Haziran', 'Temmuz', 'Ağustos', 'Eylül', 'Ekim', 'Kasım', 'Aralık'], STANDALONEMONTHS: ['Ocak', 'Şubat', 'Mart', 'Nisan', 'Mayıs', 'Haziran', 'Temmuz', 'Ağustos', 'Eylül', 'Ekim', 'Kasım', 'Aralık'], SHORTMONTHS: ['Oca', 'Şub', 'Mar', 'Nis', 'May', 'Haz', 'Tem', 'Ağu', 'Eyl', 'Eki', 'Kas', 'Ara'], STANDALONESHORTMONTHS: ['Oca', 'Şub', 'Mar', 'Nis', 'May', 'Haz', 'Tem', 'Ağu', 'Eyl', 'Eki', 'Kas', 'Ara'], WEEKDAYS: ['Pazar', 'Pazartesi', 'Salı', 'Çarşamba', 'Perşembe', 'Cuma', 'Cumartesi'], STANDALONEWEEKDAYS: ['Pazar', 'Pazartesi', 'Salı', 'Çarşamba', 'Perşembe', 'Cuma', 'Cumartesi'], SHORTWEEKDAYS: ['Paz', 'Pzt', 'Sal', 'Çar', 'Per', 'Cum', 'Cmt'], STANDALONESHORTWEEKDAYS: ['Paz', 'Pzt', 'Sal', 'Çar', 'Per', 'Cum', 'Cmt'], NARROWWEEKDAYS: ['P', 'P', 'S', 'Ç', 'P', 'C', 'C'], STANDALONENARROWWEEKDAYS: ['P', 'P', 'S', 'Ç', 'P', 'C', 'C'], SHORTQUARTERS: ['Ç1', 'Ç2', 'Ç3', 'Ç4'], QUARTERS: ['1. çeyrek', '2. çeyrek', '3. çeyrek', '4. çeyrek'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['d MMMM y EEEE', 'd MMMM y', 'd MMM y', 'dd MM yyyy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale uk. */ goog.i18n.DateTimeSymbols_uk = { ERAS: ['до н.е.', 'н.е.'], ERANAMES: ['до нашої ери', 'нашої ери'], NARROWMONTHS: ['С', 'Л', 'Б', 'К', 'Т', 'Ч', 'Л', 'С', 'В', 'Ж', 'Л', 'Г'], STANDALONENARROWMONTHS: ['С', 'Л', 'Б', 'К', 'Т', 'Ч', 'Л', 'С', 'В', 'Ж', 'Л', 'Г'], MONTHS: ['січня', 'лютого', 'березня', 'квітня', 'травня', 'червня', 'липня', 'серпня', 'вересня', 'жовтня', 'листопада', 'грудня'], STANDALONEMONTHS: ['Січень', 'Лютий', 'Березень', 'Квітень', 'Травень', 'Червень', 'Липень', 'Серпень', 'Вересень', 'Жовтень', 'Листопад', 'Грудень'], SHORTMONTHS: ['січ.', 'лют.', 'бер.', 'квіт.', 'трав.', 'черв.', 'лип.', 'серп.', 'вер.', 'жовт.', 'лист.', 'груд.'], STANDALONESHORTMONTHS: ['Січ', 'Лют', 'Бер', 'Кві', 'Тра', 'Чер', 'Лип', 'Сер', 'Вер', 'Жов', 'Лис', 'Гру'], WEEKDAYS: ['Неділя', 'Понеділок', 'Вівторок', 'Середа', 'Четвер', 'Пʼятниця', 'Субота'], STANDALONEWEEKDAYS: ['Неділя', 'Понеділок', 'Вівторок', 'Середа', 'Четвер', 'Пʼятниця', 'Субота'], SHORTWEEKDAYS: ['Нд', 'Пн', 'Вт', 'Ср', 'Чт', 'Пт', 'Сб'], STANDALONESHORTWEEKDAYS: ['Нд', 'Пн', 'Вт', 'Ср', 'Чт', 'Пт', 'Сб'], NARROWWEEKDAYS: ['Н', 'П', 'В', 'С', 'Ч', 'П', 'С'], STANDALONENARROWWEEKDAYS: ['Н', 'П', 'В', 'С', 'Ч', 'П', 'С'], SHORTQUARTERS: ['I кв.', 'II кв.', 'III кв.', 'IV кв.'], QUARTERS: ['I квартал', 'II квартал', 'III квартал', 'IV квартал'], AMPMS: ['дп', 'пп'], DATEFORMATS: ['EEEE, d MMMM y \'р\'.', 'd MMMM y \'р\'.', 'd MMM y', 'dd.MM.yy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale ur. */ goog.i18n.DateTimeSymbols_ur = { ERAS: ['ق م', 'عيسوی سن'], ERANAMES: ['قبل مسيح', 'عيسوی سن'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['جنوری', 'فروری', 'مارچ', 'اپريل', 'مئ', 'جون', 'جولائ', 'اگست', 'ستمبر', 'اکتوبر', 'نومبر', 'دسمبر'], STANDALONEMONTHS: ['جنوری', 'فروری', 'مارچ', 'اپريل', 'مئ', 'جون', 'جولائ', 'اگست', 'ستمبر', 'اکتوبر', 'نومبر', 'دسمبر'], SHORTMONTHS: ['جنوری', 'فروری', 'مارچ', 'اپريل', 'مئ', 'جون', 'جولائ', 'اگست', 'ستمبر', 'اکتوبر', 'نومبر', 'دسمبر'], STANDALONESHORTMONTHS: ['جنوری', 'فروری', 'مارچ', 'اپريل', 'مئ', 'جون', 'جولائ', 'اگست', 'ستمبر', 'اکتوبر', 'نومبر', 'دسمبر'], WEEKDAYS: ['اتوار', 'پير', 'منگل', 'بده', 'جمعرات', 'جمعہ', 'ہفتہ'], STANDALONEWEEKDAYS: ['اتوار', 'پير', 'منگل', 'بده', 'جمعرات', 'جمعہ', 'ہفتہ'], SHORTWEEKDAYS: ['اتوار', 'پير', 'منگل', 'بده', 'جمعرات', 'جمعہ', 'ہفتہ'], STANDALONESHORTWEEKDAYS: ['اتوار', 'پير', 'منگل', 'بده', 'جمعرات', 'جمعہ', 'ہفتہ'], NARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], STANDALONENARROWWEEKDAYS: ['1', '2', '3', '4', '5', '6', '7'], SHORTQUARTERS: ['پہلی سہ ماہی', 'دوسری سہ ماہی', 'تيسری سہ ماہی', 'چوتهی سہ ماہی'], QUARTERS: ['پہلی سہ ماہی', 'دوسری سہ ماہی', 'تيسری سہ ماہی', 'چوتهی سہ ماہی'], AMPMS: ['دن', 'رات'], DATEFORMATS: ['EEEE؍ d؍ MMMM y', 'd؍ MMMM y', 'd؍ MMM y', 'd/M/yy'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale vi. */ goog.i18n.DateTimeSymbols_vi = { ERAS: ['tr. CN', 'sau CN'], ERANAMES: ['tr. CN', 'sau CN'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['tháng một', 'tháng hai', 'tháng ba', 'tháng tư', 'tháng năm', 'tháng sáu', 'tháng bảy', 'tháng tám', 'tháng chín', 'tháng mười', 'tháng mười một', 'tháng mười hai'], STANDALONEMONTHS: ['tháng một', 'tháng hai', 'tháng ba', 'tháng tư', 'tháng năm', 'tháng sáu', 'tháng bảy', 'tháng tám', 'tháng chín', 'tháng mười', 'tháng mười một', 'tháng mười hai'], SHORTMONTHS: ['thg 1', 'thg 2', 'thg 3', 'thg 4', 'thg 5', 'thg 6', 'thg 7', 'thg 8', 'thg 9', 'thg 10', 'thg 11', 'thg 12'], STANDALONESHORTMONTHS: ['thg 1', 'thg 2', 'thg 3', 'thg 4', 'thg 5', 'thg 6', 'thg 7', 'thg 8', 'thg 9', 'thg 10', 'thg 11', 'thg 12'], WEEKDAYS: ['Chủ nhật', 'Thứ hai', 'Thứ ba', 'Thứ tư', 'Thứ năm', 'Thứ sáu', 'Thứ bảy'], STANDALONEWEEKDAYS: ['Chủ nhật', 'Thứ hai', 'Thứ ba', 'Thứ tư', 'Thứ năm', 'Thứ sáu', 'Thứ bảy'], SHORTWEEKDAYS: ['CN', 'Th 2', 'Th 3', 'Th 4', 'Th 5', 'Th 6', 'Th 7'], STANDALONESHORTWEEKDAYS: ['CN', 'Th 2', 'Th 3', 'Th 4', 'Th 5', 'Th 6', 'Th 7'], NARROWWEEKDAYS: ['CN', 'T2', 'T3', 'T4', 'T5', 'T6', 'T7'], STANDALONENARROWWEEKDAYS: ['CN', 'T2', 'T3', 'T4', 'T5', 'T6', 'T7'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['Quý 1', 'Quý 2', 'Quý 3', 'Quý 4'], AMPMS: ['SA', 'CH'], DATEFORMATS: ['EEEE, \'ngày\' dd MMMM \'năm\' y', '\'Ngày\' dd \'tháng\' M \'năm\' y', 'dd-MM-yyyy', 'dd/MM/yyyy'], TIMEFORMATS: ['HH:mm:ss zzzz', 'HH:mm:ss z', 'HH:mm:ss', 'HH:mm'], FIRSTDAYOFWEEK: 0, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 6 }; /** * Date/time formatting symbols for locale zh. */ goog.i18n.DateTimeSymbols_zh = { ERAS: ['公元前', '公元'], ERANAMES: ['公元前', '公元'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1月', '2月', '3月', '4月', '5月', '6月', '7月', '8月', '9月', '10月', '11月', '12月'], MONTHS: ['1月', '2月', '3月', '4月', '5月', '6月', '7月', '8月', '9月', '10月', '11月', '12月'], STANDALONEMONTHS: ['一月', '二月', '三月', '四月', '五月', '六月', '七月', '八月', '九月', '十月', '十一月', '十二月'], SHORTMONTHS: ['1月', '2月', '3月', '4月', '5月', '6月', '7月', '8月', '9月', '10月', '11月', '12月'], STANDALONESHORTMONTHS: ['一月', '二月', '三月', '四月', '五月', '六月', '七月', '八月', '九月', '十月', '十一月', '十二月'], WEEKDAYS: ['星期日', '星期一', '星期二', '星期三', '星期四', '星期五', '星期六'], STANDALONEWEEKDAYS: ['星期日', '星期一', '星期二', '星期三', '星期四', '星期五', '星期六'], SHORTWEEKDAYS: ['周日', '周一', '周二', '周三', '周四', '周五', '周六'], STANDALONESHORTWEEKDAYS: ['周日', '周一', '周二', '周三', '周四', '周五', '周六'], NARROWWEEKDAYS: ['日', '一', '二', '三', '四', '五', '六'], STANDALONENARROWWEEKDAYS: ['日', '一', '二', '三', '四', '五', '六'], SHORTQUARTERS: ['1季', '2季', '3季', '4季'], QUARTERS: ['第1季度', '第2季度', '第3季度', '第4季度'], AMPMS: ['上午', '下午'], DATEFORMATS: ['y年M月d日EEEE', 'y年M月d日', 'yyyy-M-d', 'yy-M-d'], TIMEFORMATS: ['zzzzah时mm分ss秒', 'zah时mm分ss秒', 'ah:mm:ss', 'ah:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale zh_CN. */ goog.i18n.DateTimeSymbols_zh_CN = goog.i18n.DateTimeSymbols_zh; /** * Date/time formatting symbols for locale zh_HK. */ goog.i18n.DateTimeSymbols_zh_HK = { ERAS: ['西元前', '西元'], ERANAMES: ['西元前', '西元'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['1月', '2月', '3月', '4月', '5月', '6月', '7月', '8月', '9月', '10月', '11月', '12月'], STANDALONEMONTHS: ['一月', '二月', '三月', '四月', '五月', '六月', '七月', '八月', '九月', '十月', '十一月', '十二月'], SHORTMONTHS: ['1月', '2月', '3月', '4月', '5月', '6月', '7月', '8月', '9月', '10月', '11月', '12月'], STANDALONESHORTMONTHS: ['1月', '2月', '3月', '4月', '5月', '6月', '7月', '8月', '9月', '10月', '11月', '12月'], WEEKDAYS: ['星期日', '星期一', '星期二', '星期三', '星期四', '星期五', '星期六'], STANDALONEWEEKDAYS: ['星期日', '星期一', '星期二', '星期三', '星期四', '星期五', '星期六'], SHORTWEEKDAYS: ['週日', '週一', '週二', '週三', '週四', '週五', '週六'], STANDALONESHORTWEEKDAYS: ['周日', '周一', '周二', '周三', '周四', '周五', '周六'], NARROWWEEKDAYS: ['日', '一', '二', '三', '四', '五', '六'], STANDALONENARROWWEEKDAYS: ['日', '一', '二', '三', '四', '五', '六'], SHORTQUARTERS: ['1季', '2季', '3季', '4季'], QUARTERS: ['第1季', '第2季', '第3季', '第4季'], AMPMS: ['上午', '下午'], DATEFORMATS: ['y年M月d日EEEE', 'y年M月d日', 'y年M月d日', 'yy年M月d日'], TIMEFORMATS: ['ah:mm:ss [zzzz]', 'ah:mm:ss [z]', 'ahh:mm:ss', 'ah:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale zh_TW. */ goog.i18n.DateTimeSymbols_zh_TW = { ERAS: ['西元前', '西元'], ERANAMES: ['西元前', '西元'], NARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], STANDALONENARROWMONTHS: ['1', '2', '3', '4', '5', '6', '7', '8', '9', '10', '11', '12'], MONTHS: ['1月', '2月', '3月', '4月', '5月', '6月', '7月', '8月', '9月', '10月', '11月', '12月'], STANDALONEMONTHS: ['一月', '二月', '三月', '四月', '五月', '六月', '七月', '八月', '九月', '十月', '十一月', '十二月'], SHORTMONTHS: ['1月', '2月', '3月', '4月', '5月', '6月', '7月', '8月', '9月', '10月', '11月', '12月'], STANDALONESHORTMONTHS: ['1月', '2月', '3月', '4月', '5月', '6月', '7月', '8月', '9月', '10月', '11月', '12月'], WEEKDAYS: ['星期日', '星期一', '星期二', '星期三', '星期四', '星期五', '星期六'], STANDALONEWEEKDAYS: ['星期日', '星期一', '星期二', '星期三', '星期四', '星期五', '星期六'], SHORTWEEKDAYS: ['週日', '週一', '週二', '週三', '週四', '週五', '週六'], STANDALONESHORTWEEKDAYS: ['周日', '周一', '周二', '周三', '周四', '周五', '周六'], NARROWWEEKDAYS: ['日', '一', '二', '三', '四', '五', '六'], STANDALONENARROWWEEKDAYS: ['日', '一', '二', '三', '四', '五', '六'], SHORTQUARTERS: ['1季', '2季', '3季', '4季'], QUARTERS: ['第1季', '第2季', '第3季', '第4季'], AMPMS: ['上午', '下午'], DATEFORMATS: ['y年M月d日EEEE', 'y年M月d日', 'yyyy/M/d', 'y/M/d'], TIMEFORMATS: ['zzzzah時mm分ss秒', 'zah時mm分ss秒', 'ah:mm:ss', 'ah:mm'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Date/time formatting symbols for locale zu. */ goog.i18n.DateTimeSymbols_zu = { ERAS: ['BC', 'AD'], ERANAMES: ['BC', 'AD'], NARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], STANDALONENARROWMONTHS: ['J', 'F', 'M', 'A', 'M', 'J', 'J', 'A', 'S', 'O', 'N', 'D'], MONTHS: ['Januwari', 'Februwari', 'Mashi', 'Apreli', 'Meyi', 'Juni', 'Julayi', 'Agasti', 'Septhemba', 'Okthoba', 'Novemba', 'Disemba'], STANDALONEMONTHS: ['uJanuwari', 'uFebruwari', 'uMashi', 'u-Apreli', 'uMeyi', 'uJuni', 'uJulayi', 'uAgasti', 'uSepthemba', 'u-Okthoba', 'uNovemba', 'uDisemba'], SHORTMONTHS: ['Jan', 'Feb', 'Mas', 'Apr', 'Mey', 'Jun', 'Jul', 'Aga', 'Sep', 'Okt', 'Nov', 'Dis'], STANDALONESHORTMONTHS: ['Jan', 'Feb', 'Mas', 'Apr', 'Mey', 'Jun', 'Jul', 'Aga', 'Sep', 'Okt', 'Nov', 'Dis'], WEEKDAYS: ['Sonto', 'Msombuluko', 'Lwesibili', 'Lwesithathu', 'uLwesine', 'Lwesihlanu', 'Mgqibelo'], STANDALONEWEEKDAYS: ['Sonto', 'Msombuluko', 'Lwesibili', 'Lwesithathu', 'uLwesine', 'Lwesihlanu', 'Mgqibelo'], SHORTWEEKDAYS: ['Son', 'Mso', 'Bil', 'Tha', 'Sin', 'Hla', 'Mgq'], STANDALONESHORTWEEKDAYS: ['Son', 'Mso', 'Bil', 'Tha', 'Sin', 'Hla', 'Mgq'], NARROWWEEKDAYS: ['S', 'M', 'B', 'T', 'S', 'H', 'M'], STANDALONENARROWWEEKDAYS: ['S', 'M', 'B', 'T', 'S', 'H', 'M'], SHORTQUARTERS: ['Q1', 'Q2', 'Q3', 'Q4'], QUARTERS: ['ikota yoku-1', 'ikota yesi-2', 'ikota yesi-3', 'ikota yesi-4'], AMPMS: ['AM', 'PM'], DATEFORMATS: ['EEEE dd MMMM y', 'd MMMM y', 'd MMM y', 'yyyy-MM-dd'], TIMEFORMATS: ['h:mm:ss a zzzz', 'h:mm:ss a z', 'h:mm:ss a', 'h:mm a'], FIRSTDAYOFWEEK: 6, WEEKENDRANGE: [5, 6], FIRSTWEEKCUTOFFDAY: 5 }; /** * Selected date/time formatting symbols by locale. * "switch" statement won't work here. JsCompiler cannot handle it yet. */ if (goog.LOCALE == 'af') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_af; } else if (goog.LOCALE == 'am') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_am; } else if (goog.LOCALE == 'ar') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ar; } else if (goog.LOCALE == 'bg') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_bg; } else if (goog.LOCALE == 'bn') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_bn; } else if (goog.LOCALE == 'ca') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ca; } else if (goog.LOCALE == 'chr') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_chr; } else if (goog.LOCALE == 'cs') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_cs; } else if (goog.LOCALE == 'cy') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_cy; } else if (goog.LOCALE == 'da') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_da; } else if (goog.LOCALE == 'de') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_de; } else if (goog.LOCALE == 'de_AT' || goog.LOCALE == 'de-AT') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_de_AT; } else if (goog.LOCALE == 'de_CH' || goog.LOCALE == 'de-CH') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_de; } else if (goog.LOCALE == 'el') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_el; } else if (goog.LOCALE == 'en') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_en; } else if (goog.LOCALE == 'en_AU' || goog.LOCALE == 'en-AU') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_en_AU; } else if (goog.LOCALE == 'en_GB' || goog.LOCALE == 'en-GB') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_en_GB; } else if (goog.LOCALE == 'en_IE' || goog.LOCALE == 'en-IE') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_en_IE; } else if (goog.LOCALE == 'en_IN' || goog.LOCALE == 'en-IN') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_en_IN; } else if (goog.LOCALE == 'en_SG' || goog.LOCALE == 'en-SG') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_en_SG; } else if (goog.LOCALE == 'en_US' || goog.LOCALE == 'en-US') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_en; } else if (goog.LOCALE == 'en_ZA' || goog.LOCALE == 'en-ZA') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_en_ZA; } else if (goog.LOCALE == 'es') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_es; } else if (goog.LOCALE == 'es_419' || goog.LOCALE == 'es-419') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_es_419; } else if (goog.LOCALE == 'et') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_et; } else if (goog.LOCALE == 'eu') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_eu; } else if (goog.LOCALE == 'fa') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_fa; } else if (goog.LOCALE == 'fi') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_fi; } else if (goog.LOCALE == 'fil') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_fil; } else if (goog.LOCALE == 'fr') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_fr; } else if (goog.LOCALE == 'fr_CA' || goog.LOCALE == 'fr-CA') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_fr_CA; } else if (goog.LOCALE == 'gl') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_gl; } else if (goog.LOCALE == 'gsw') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_gsw; } else if (goog.LOCALE == 'gu') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_gu; } else if (goog.LOCALE == 'haw') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_haw; } else if (goog.LOCALE == 'he') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_he; } else if (goog.LOCALE == 'hi') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_hi; } else if (goog.LOCALE == 'hr') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_hr; } else if (goog.LOCALE == 'hu') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_hu; } else if (goog.LOCALE == 'id') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_id; } else if (goog.LOCALE == 'in') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_in; } else if (goog.LOCALE == 'is') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_is; } else if (goog.LOCALE == 'it') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_it; } else if (goog.LOCALE == 'iw') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_iw; } else if (goog.LOCALE == 'ja') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ja; } else if (goog.LOCALE == 'kn') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_kn; } else if (goog.LOCALE == 'ko') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ko; } else if (goog.LOCALE == 'ln') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ln; } else if (goog.LOCALE == 'lt') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_lt; } else if (goog.LOCALE == 'lv') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_lv; } else if (goog.LOCALE == 'ml') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ml; } else if (goog.LOCALE == 'mr') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_mr; } else if (goog.LOCALE == 'ms') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ms; } else if (goog.LOCALE == 'mt') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_mt; } else if (goog.LOCALE == 'nl') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_nl; } else if (goog.LOCALE == 'no') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_no; } else if (goog.LOCALE == 'or') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_or; } else if (goog.LOCALE == 'pl') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_pl; } else if (goog.LOCALE == 'pt') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_pt; } else if (goog.LOCALE == 'pt_BR' || goog.LOCALE == 'pt-BR') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_pt; } else if (goog.LOCALE == 'pt_PT' || goog.LOCALE == 'pt-PT') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_pt_PT; } else if (goog.LOCALE == 'ro') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ro; } else if (goog.LOCALE == 'ru') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ru; } else if (goog.LOCALE == 'sk') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_sk; } else if (goog.LOCALE == 'sl') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_sl; } else if (goog.LOCALE == 'sq') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_sq; } else if (goog.LOCALE == 'sr') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_sr; } else if (goog.LOCALE == 'sv') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_sv; } else if (goog.LOCALE == 'sw') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_sw; } else if (goog.LOCALE == 'ta') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ta; } else if (goog.LOCALE == 'te') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_te; } else if (goog.LOCALE == 'th') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_th; } else if (goog.LOCALE == 'tl') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_tl; } else if (goog.LOCALE == 'tr') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_tr; } else if (goog.LOCALE == 'uk') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_uk; } else if (goog.LOCALE == 'ur') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_ur; } else if (goog.LOCALE == 'vi') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_vi; } else if (goog.LOCALE == 'zh') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_zh; } else if (goog.LOCALE == 'zh_CN' || goog.LOCALE == 'zh-CN') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_zh; } else if (goog.LOCALE == 'zh_HK' || goog.LOCALE == 'zh-HK') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_zh_HK; } else if (goog.LOCALE == 'zh_TW' || goog.LOCALE == 'zh-TW') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_zh_TW; } else if (goog.LOCALE == 'zu') { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_zu; } else { goog.i18n.DateTimeSymbols = goog.i18n.DateTimeSymbols_en; }
JavaScript
// Copyright 2009 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Collection of unitility functions for Unicode character. * */ goog.provide('goog.i18n.uChar'); /** * Map used for looking up the char data. Will be created lazily. * @type {Object} * @private */ goog.i18n.uChar.charData_ = null; /** * Gets the U+ notation string of a Unicode character. Ex: 'U+0041' for 'A'. * @param {string} ch The given character. * @return {string} The U+ notation of the given character. */ goog.i18n.uChar.toHexString = function(ch) { var chCode = goog.i18n.uChar.toCharCode(ch); var chCodeStr = 'U+' + goog.i18n.uChar.padString_( chCode.toString(16).toUpperCase(), 4, '0'); return chCodeStr; }; /** * Gets a string padded with given character to get given size. * @param {string} str The given string to be padded. * @param {number} length The target size of the string. * @param {string} ch The character to be padded with. * @return {string} The padded string. * @private */ goog.i18n.uChar.padString_ = function(str, length, ch) { while (str.length < length) { str = ch + str; } return str; }; /** * Gets Unicode value of the given character. * @param {string} ch The given character. * @return {number} The Unicode value of the character. */ goog.i18n.uChar.toCharCode = function(ch) { var chCode = ch.charCodeAt(0); if (chCode >= 0xD800 && chCode <= 0xDBFF) { var chCode2 = ch.charCodeAt(1); chCode = (chCode - 0xD800) * 0x400 + chCode2 - 0xDC00 + 0x10000; } return chCode; }; /** * Gets a character from the given Unicode value. * @param {number} code The Unicode value of the character. * @return {?string} The character from Unicode value. */ goog.i18n.uChar.fromCharCode = function(code) { if (!code || code > 0x10FFFF) { return null; } else if (code >= 0x10000) { var hi = Math.floor((code - 0x10000) / 0x400) + 0xD800; var lo = (code - 0x10000) % 0x400 + 0xDC00; return String.fromCharCode(hi) + String.fromCharCode(lo); } else { return String.fromCharCode(code); } }; /** * Gets the name of a character, if available, returns null otherwise. * @param {string} ch The character. * @return {?string} The name of the character. */ goog.i18n.uChar.toName = function(ch) { if (!goog.i18n.uChar.charData_) { goog.i18n.uChar.createCharData(); } var names = goog.i18n.uChar.charData_; var chCode = goog.i18n.uChar.toCharCode(ch); var chCodeStr = chCode + ''; if (ch in names) { return names[ch]; } else if (chCodeStr in names) { return names[chCode]; } else if (0xFE00 <= chCode && chCode <= 0xFE0F || 0xE0100 <= chCode && chCode <= 0xE01EF) { var seqnum; if (0xFE00 <= chCode && chCode <= 0xFE0F) { // Variation selectors from 1 to 16. seqnum = chCode - 0xFDFF; } else { // Variation selectors from 17 to 256. seqnum = chCode - 0xE00EF; } /** @desc Variation selector with the sequence number. */ var MSG_VARIATION_SELECTOR_SEQNUM = goog.getMsg('Variation Selector - {$seqnum}', {'seqnum': seqnum}); return MSG_VARIATION_SELECTOR_SEQNUM; } return null; }; /** * Following lines are programatically created. * Details: https://sites/cibu/character-picker. **/ /** * Sets up the character map, lazily. Some characters are indexed by their * decimal value. * @protected */ goog.i18n.uChar.createCharData = function() { /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_ARABIC_SIGN_SANAH = goog.getMsg('Arabic Sign Sanah'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_CANADIAN_SYLLABICS_HYPHEN = goog.getMsg('Canadian Syllabics Hyphen'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_ARABIC_SIGN_SAFHA = goog.getMsg('Arabic Sign Safha'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_ARABIC_FOOTNOTE_MARKER = goog.getMsg('Arabic Footnote Marker'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_FOUR_PER_EM_SPACE = goog.getMsg('Four-per-em Space'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_THREE_PER_EM_SPACE = goog.getMsg('Three-per-em Space'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_FIGURE_SPACE = goog.getMsg('Figure Space'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_MONGOLIAN_SOFT_HYPHEN = goog.getMsg('Mongolian Soft Hyphen'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_THIN_SPACE = goog.getMsg('Thin Space'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_SOFT_HYPHEN = goog.getMsg('Soft Hyphen'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_ZERO_WIDTH_SPACE = goog.getMsg('Zero Width Space'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_ARMENIAN_HYPHEN = goog.getMsg('Armenian Hyphen'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_ZERO_WIDTH_JOINER = goog.getMsg('Zero Width Joiner'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_EM_SPACE = goog.getMsg('Em Space'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_SYRIAC_ABBREVIATION_MARK = goog.getMsg('Syriac Abbreviation Mark'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_MONGOLIAN_VOWEL_SEPARATOR = goog.getMsg('Mongolian Vowel Separator'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_NON_BREAKING_HYPHEN = goog.getMsg('Non-breaking Hyphen'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_HYPHEN = goog.getMsg('Hyphen'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_EM_QUAD = goog.getMsg('Em Quad'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_EN_SPACE = goog.getMsg('En Space'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_HORIZONTAL_BAR = goog.getMsg('Horizontal Bar'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_EM_DASH = goog.getMsg('Em Dash'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_DOUBLE_OBLIQUE_HYPHEN = goog.getMsg('Double Oblique Hyphen'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_MUSICAL_SYMBOL_END_PHRASE = goog.getMsg('Musical Symbol End Phrase'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_MEDIUM_MATHEMATICAL_SPACE = goog.getMsg('Medium Mathematical Space'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_WAVE_DASH = goog.getMsg('Wave Dash'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_SPACE = goog.getMsg('Space'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_HYPHEN_WITH_DIAERESIS = goog.getMsg('Hyphen With Diaeresis'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_EN_QUAD = goog.getMsg('En Quad'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_RIGHT_TO_LEFT_EMBEDDING = goog.getMsg('Right-to-left Embedding'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_SIX_PER_EM_SPACE = goog.getMsg('Six-per-em Space'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_HYPHEN_MINUS = goog.getMsg('Hyphen-minus'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_POP_DIRECTIONAL_FORMATTING = goog.getMsg('Pop Directional Formatting'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_NARROW_NO_BREAK_SPACE = goog.getMsg('Narrow No-break Space'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_RIGHT_TO_LEFT_OVERRIDE = goog.getMsg('Right-to-left Override'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_PRESENTATION_FORM_FOR_VERTICAL_EM_DASH = goog.getMsg('Presentation Form For Vertical Em Dash'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_WAVY_DASH = goog.getMsg('Wavy Dash'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_PRESENTATION_FORM_FOR_VERTICAL_EN_DASH = goog.getMsg('Presentation Form For Vertical En Dash'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_KHMER_VOWEL_INHERENT_AA = goog.getMsg('Khmer Vowel Inherent Aa'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_KHMER_VOWEL_INHERENT_AQ = goog.getMsg('Khmer Vowel Inherent Aq'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_PUNCTUATION_SPACE = goog.getMsg('Punctuation Space'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_HALFWIDTH_HANGUL_FILLER = goog.getMsg('Halfwidth Hangul Filler'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_KAITHI_NUMBER_SIGN = goog.getMsg('Kaithi Number Sign'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_LEFT_TO_RIGHT_EMBEDDING = goog.getMsg('Left-to-right Embedding'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_HEBREW_PUNCTUATION_MAQAF = goog.getMsg('Hebrew Punctuation Maqaf'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_IDEOGRAPHIC_SPACE = goog.getMsg('Ideographic Space'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_HAIR_SPACE = goog.getMsg('Hair Space'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_NO_BREAK_SPACE = goog.getMsg('No-break Space'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_FULLWIDTH_HYPHEN_MINUS = goog.getMsg('Fullwidth Hyphen-minus'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_PARAGRAPH_SEPARATOR = goog.getMsg('Paragraph Separator'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_LEFT_TO_RIGHT_OVERRIDE = goog.getMsg('Left-to-right Override'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_SMALL_HYPHEN_MINUS = goog.getMsg('Small Hyphen-minus'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_COMBINING_GRAPHEME_JOINER = goog.getMsg('Combining Grapheme Joiner'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_ZERO_WIDTH_NON_JOINER = goog.getMsg('Zero Width Non-joiner'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_MUSICAL_SYMBOL_BEGIN_PHRASE = goog.getMsg('Musical Symbol Begin Phrase'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_ARABIC_NUMBER_SIGN = goog.getMsg('Arabic Number Sign'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_RIGHT_TO_LEFT_MARK = goog.getMsg('Right-to-left Mark'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_OGHAM_SPACE_MARK = goog.getMsg('Ogham Space Mark'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_SMALL_EM_DASH = goog.getMsg('Small Em Dash'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_LEFT_TO_RIGHT_MARK = goog.getMsg('Left-to-right Mark'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_ARABIC_END_OF_AYAH = goog.getMsg('Arabic End Of Ayah'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_HANGUL_CHOSEONG_FILLER = goog.getMsg('Hangul Choseong Filler'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_HANGUL_FILLER = goog.getMsg('Hangul Filler'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_FUNCTION_APPLICATION = goog.getMsg('Function Application'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_HANGUL_JUNGSEONG_FILLER = goog.getMsg('Hangul Jungseong Filler'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_INVISIBLE_SEPARATOR = goog.getMsg('Invisible Separator'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_INVISIBLE_TIMES = goog.getMsg('Invisible Times'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_INVISIBLE_PLUS = goog.getMsg('Invisible Plus'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_WORD_JOINER = goog.getMsg('Word Joiner'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_LINE_SEPARATOR = goog.getMsg('Line Separator'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_KATAKANA_HIRAGANA_DOUBLE_HYPHEN = goog.getMsg('Katakana-hiragana Double Hyphen'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_EN_DASH = goog.getMsg('En Dash'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_MUSICAL_SYMBOL_BEGIN_BEAM = goog.getMsg('Musical Symbol Begin Beam'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_FIGURE_DASH = goog.getMsg('Figure Dash'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_MUSICAL_SYMBOL_BEGIN_TIE = goog.getMsg('Musical Symbol Begin Tie'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_MUSICAL_SYMBOL_END_BEAM = goog.getMsg('Musical Symbol End Beam'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_MUSICAL_SYMBOL_BEGIN_SLUR = goog.getMsg('Musical Symbol Begin Slur'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_MUSICAL_SYMBOL_END_TIE = goog.getMsg('Musical Symbol End Tie'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_INTERLINEAR_ANNOTATION_ANCHOR = goog.getMsg('Interlinear Annotation Anchor'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_MUSICAL_SYMBOL_END_SLUR = goog.getMsg('Musical Symbol End Slur'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_INTERLINEAR_ANNOTATION_TERMINATOR = goog.getMsg('Interlinear Annotation Terminator'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_INTERLINEAR_ANNOTATION_SEPARATOR = goog.getMsg('Interlinear Annotation Separator'); /** * @desc Name for a symbol, character or a letter. Used in a pop-up balloon, * shown to a document editing user trying to insert a special character. * The balloon help would appear while the user hovers over the character * displayed. Newlines are not allowed; translation should be a noun and * as consise as possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. */ var MSG_CP_ZERO_WIDTH_NO_BREAK_SPACE = goog.getMsg('Zero Width No-break Space'); goog.i18n.uChar.charData_ = { '\u0601': MSG_CP_ARABIC_SIGN_SANAH, '\u1400': MSG_CP_CANADIAN_SYLLABICS_HYPHEN, '\u0603': MSG_CP_ARABIC_SIGN_SAFHA, '\u0602': MSG_CP_ARABIC_FOOTNOTE_MARKER, '\u2005': MSG_CP_FOUR_PER_EM_SPACE, '\u2004': MSG_CP_THREE_PER_EM_SPACE, '\u2007': MSG_CP_FIGURE_SPACE, '\u1806': MSG_CP_MONGOLIAN_SOFT_HYPHEN, '\u2009': MSG_CP_THIN_SPACE, '\u00AD': MSG_CP_SOFT_HYPHEN, '\u200B': MSG_CP_ZERO_WIDTH_SPACE, '\u058A': MSG_CP_ARMENIAN_HYPHEN, '\u200D': MSG_CP_ZERO_WIDTH_JOINER, '\u2003': MSG_CP_EM_SPACE, '\u070F': MSG_CP_SYRIAC_ABBREVIATION_MARK, '\u180E': MSG_CP_MONGOLIAN_VOWEL_SEPARATOR, '\u2011': MSG_CP_NON_BREAKING_HYPHEN, '\u2010': MSG_CP_HYPHEN, '\u2001': MSG_CP_EM_QUAD, '\u2002': MSG_CP_EN_SPACE, '\u2015': MSG_CP_HORIZONTAL_BAR, '\u2014': MSG_CP_EM_DASH, '\u2E17': MSG_CP_DOUBLE_OBLIQUE_HYPHEN, '\u1D17A': MSG_CP_MUSICAL_SYMBOL_END_PHRASE, '\u205F': MSG_CP_MEDIUM_MATHEMATICAL_SPACE, '\u301C': MSG_CP_WAVE_DASH, ' ': MSG_CP_SPACE, '\u2E1A': MSG_CP_HYPHEN_WITH_DIAERESIS, '\u2000': MSG_CP_EN_QUAD, '\u202B': MSG_CP_RIGHT_TO_LEFT_EMBEDDING, '\u2006': MSG_CP_SIX_PER_EM_SPACE, '-': MSG_CP_HYPHEN_MINUS, '\u202C': MSG_CP_POP_DIRECTIONAL_FORMATTING, '\u202F': MSG_CP_NARROW_NO_BREAK_SPACE, '\u202E': MSG_CP_RIGHT_TO_LEFT_OVERRIDE, '\uFE31': MSG_CP_PRESENTATION_FORM_FOR_VERTICAL_EM_DASH, '\u3030': MSG_CP_WAVY_DASH, '\uFE32': MSG_CP_PRESENTATION_FORM_FOR_VERTICAL_EN_DASH, '\u17B5': MSG_CP_KHMER_VOWEL_INHERENT_AA, '\u17B4': MSG_CP_KHMER_VOWEL_INHERENT_AQ, '\u2008': MSG_CP_PUNCTUATION_SPACE, '\uFFA0': MSG_CP_HALFWIDTH_HANGUL_FILLER, '\u110BD': MSG_CP_KAITHI_NUMBER_SIGN, '\u202A': MSG_CP_LEFT_TO_RIGHT_EMBEDDING, '\u05BE': MSG_CP_HEBREW_PUNCTUATION_MAQAF, '\u3000': MSG_CP_IDEOGRAPHIC_SPACE, '\u200A': MSG_CP_HAIR_SPACE, '\u00A0': MSG_CP_NO_BREAK_SPACE, '\uFF0D': MSG_CP_FULLWIDTH_HYPHEN_MINUS, '8233': MSG_CP_PARAGRAPH_SEPARATOR, '\u202D': MSG_CP_LEFT_TO_RIGHT_OVERRIDE, '\uFE63': MSG_CP_SMALL_HYPHEN_MINUS, '\u034F': MSG_CP_COMBINING_GRAPHEME_JOINER, '\u200C': MSG_CP_ZERO_WIDTH_NON_JOINER, '\u1D179': MSG_CP_MUSICAL_SYMBOL_BEGIN_PHRASE, '\u0600': MSG_CP_ARABIC_NUMBER_SIGN, '\u200F': MSG_CP_RIGHT_TO_LEFT_MARK, '\u1680': MSG_CP_OGHAM_SPACE_MARK, '\uFE58': MSG_CP_SMALL_EM_DASH, '\u200E': MSG_CP_LEFT_TO_RIGHT_MARK, '\u06DD': MSG_CP_ARABIC_END_OF_AYAH, '\u115F': MSG_CP_HANGUL_CHOSEONG_FILLER, '\u3164': MSG_CP_HANGUL_FILLER, '\u2061': MSG_CP_FUNCTION_APPLICATION, '\u1160': MSG_CP_HANGUL_JUNGSEONG_FILLER, '\u2063': MSG_CP_INVISIBLE_SEPARATOR, '\u2062': MSG_CP_INVISIBLE_TIMES, '\u2064': MSG_CP_INVISIBLE_PLUS, '\u2060': MSG_CP_WORD_JOINER, '8232': MSG_CP_LINE_SEPARATOR, '\u30A0': MSG_CP_KATAKANA_HIRAGANA_DOUBLE_HYPHEN, '\u2013': MSG_CP_EN_DASH, '\u1D173': MSG_CP_MUSICAL_SYMBOL_BEGIN_BEAM, '\u2012': MSG_CP_FIGURE_DASH, '\u1D175': MSG_CP_MUSICAL_SYMBOL_BEGIN_TIE, '\u1D174': MSG_CP_MUSICAL_SYMBOL_END_BEAM, '\u1D177': MSG_CP_MUSICAL_SYMBOL_BEGIN_SLUR, '\u1D176': MSG_CP_MUSICAL_SYMBOL_END_TIE, '\uFFF9': MSG_CP_INTERLINEAR_ANNOTATION_ANCHOR, '\u1D178': MSG_CP_MUSICAL_SYMBOL_END_SLUR, '\uFFFB': MSG_CP_INTERLINEAR_ANNOTATION_TERMINATOR, '\uFFFA': MSG_CP_INTERLINEAR_ANNOTATION_SEPARATOR, '\uFEFF': MSG_CP_ZERO_WIDTH_NO_BREAK_SPACE }; };
JavaScript
// Copyright 2011 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Extended date/time patterns. * * This file is autogenerated by script. See * http://go/generate_datetime_pattern.cc * * This file is generated using ICU's implementation of * DateTimePatternGenerator. The whole set has two files: * datetimepatterns.js and datetimepatternsext.js. The former covers * frequently used locales, the latter covers the rest. There won't be any * difference in compiled code, but some developing environments have * difficulty in dealing large js files. So we do the separation. * Only locales that can be enumerated in ICU are supported. For the rest * of the locales, it will fallback to 'en'. * The code is designed to work with Closure compiler using * ADVANCED_OPTIMIZATIONS. We will continue to add popular date/time * patterns over time. There is no intention cover all possible * usages. If simple pattern works fine, it won't be covered here either. * For example, pattern 'MMM' will work well to get short month name for * almost all locales thus won't be included here. */ goog.provide('goog.i18n.DateTimePatterns'); goog.provide('goog.i18n.DateTimePatterns_af'); goog.provide('goog.i18n.DateTimePatterns_am'); goog.provide('goog.i18n.DateTimePatterns_ar'); goog.provide('goog.i18n.DateTimePatterns_bg'); goog.provide('goog.i18n.DateTimePatterns_bn'); goog.provide('goog.i18n.DateTimePatterns_ca'); goog.provide('goog.i18n.DateTimePatterns_chr'); goog.provide('goog.i18n.DateTimePatterns_cs'); goog.provide('goog.i18n.DateTimePatterns_cy'); goog.provide('goog.i18n.DateTimePatterns_da'); goog.provide('goog.i18n.DateTimePatterns_de'); goog.provide('goog.i18n.DateTimePatterns_de_AT'); goog.provide('goog.i18n.DateTimePatterns_de_CH'); goog.provide('goog.i18n.DateTimePatterns_el'); goog.provide('goog.i18n.DateTimePatterns_en'); goog.provide('goog.i18n.DateTimePatterns_en_AU'); goog.provide('goog.i18n.DateTimePatterns_en_GB'); goog.provide('goog.i18n.DateTimePatterns_en_IE'); goog.provide('goog.i18n.DateTimePatterns_en_IN'); goog.provide('goog.i18n.DateTimePatterns_en_SG'); goog.provide('goog.i18n.DateTimePatterns_en_US'); goog.provide('goog.i18n.DateTimePatterns_en_ZA'); goog.provide('goog.i18n.DateTimePatterns_es'); goog.provide('goog.i18n.DateTimePatterns_es_419'); goog.provide('goog.i18n.DateTimePatterns_et'); goog.provide('goog.i18n.DateTimePatterns_eu'); goog.provide('goog.i18n.DateTimePatterns_fa'); goog.provide('goog.i18n.DateTimePatterns_fi'); goog.provide('goog.i18n.DateTimePatterns_fil'); goog.provide('goog.i18n.DateTimePatterns_fr'); goog.provide('goog.i18n.DateTimePatterns_fr_CA'); goog.provide('goog.i18n.DateTimePatterns_gl'); goog.provide('goog.i18n.DateTimePatterns_gsw'); goog.provide('goog.i18n.DateTimePatterns_gu'); goog.provide('goog.i18n.DateTimePatterns_haw'); goog.provide('goog.i18n.DateTimePatterns_he'); goog.provide('goog.i18n.DateTimePatterns_hi'); goog.provide('goog.i18n.DateTimePatterns_hr'); goog.provide('goog.i18n.DateTimePatterns_hu'); goog.provide('goog.i18n.DateTimePatterns_id'); goog.provide('goog.i18n.DateTimePatterns_in'); goog.provide('goog.i18n.DateTimePatterns_is'); goog.provide('goog.i18n.DateTimePatterns_it'); goog.provide('goog.i18n.DateTimePatterns_iw'); goog.provide('goog.i18n.DateTimePatterns_ja'); goog.provide('goog.i18n.DateTimePatterns_kn'); goog.provide('goog.i18n.DateTimePatterns_ko'); goog.provide('goog.i18n.DateTimePatterns_ln'); goog.provide('goog.i18n.DateTimePatterns_lt'); goog.provide('goog.i18n.DateTimePatterns_lv'); goog.provide('goog.i18n.DateTimePatterns_ml'); goog.provide('goog.i18n.DateTimePatterns_mo'); goog.provide('goog.i18n.DateTimePatterns_mr'); goog.provide('goog.i18n.DateTimePatterns_ms'); goog.provide('goog.i18n.DateTimePatterns_mt'); goog.provide('goog.i18n.DateTimePatterns_nl'); goog.provide('goog.i18n.DateTimePatterns_no'); goog.provide('goog.i18n.DateTimePatterns_or'); goog.provide('goog.i18n.DateTimePatterns_pl'); goog.provide('goog.i18n.DateTimePatterns_pt_BR'); goog.provide('goog.i18n.DateTimePatterns_pt_PT'); goog.provide('goog.i18n.DateTimePatterns_pt'); goog.provide('goog.i18n.DateTimePatterns_ro'); goog.provide('goog.i18n.DateTimePatterns_ru'); goog.provide('goog.i18n.DateTimePatterns_sk'); goog.provide('goog.i18n.DateTimePatterns_sl'); goog.provide('goog.i18n.DateTimePatterns_sq'); goog.provide('goog.i18n.DateTimePatterns_sr'); goog.provide('goog.i18n.DateTimePatterns_sv'); goog.provide('goog.i18n.DateTimePatterns_sw'); goog.provide('goog.i18n.DateTimePatterns_ta'); goog.provide('goog.i18n.DateTimePatterns_te'); goog.provide('goog.i18n.DateTimePatterns_th'); goog.provide('goog.i18n.DateTimePatterns_tl'); goog.provide('goog.i18n.DateTimePatterns_tr'); goog.provide('goog.i18n.DateTimePatterns_uk'); goog.provide('goog.i18n.DateTimePatterns_ur'); goog.provide('goog.i18n.DateTimePatterns_vi'); goog.provide('goog.i18n.DateTimePatterns_zh_TW'); goog.provide('goog.i18n.DateTimePatterns_zh_CN'); goog.provide('goog.i18n.DateTimePatterns_zh_HK'); goog.provide('goog.i18n.DateTimePatterns_zh'); goog.provide('goog.i18n.DateTimePatterns_zu'); /** * Extended set of localized date/time patterns for locale af. */ goog.i18n.DateTimePatterns_af = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale am. */ goog.i18n.DateTimePatterns_am = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ar. */ goog.i18n.DateTimePatterns_ar = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd‏/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale bg. */ goog.i18n.DateTimePatterns_bg = { YEAR_FULL: 'y', YEAR_MONTH_ABBR: 'MMM y \'г\'.', YEAR_MONTH_FULL: 'MMMM yyyy \'г\'.', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd.M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale bn. */ goog.i18n.DateTimePatterns_bn = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd-M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ca. */ goog.i18n.DateTimePatterns_ca = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'LLL y', YEAR_MONTH_FULL: 'LLLL yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale chr. */ goog.i18n.DateTimePatterns_chr = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale cs. */ goog.i18n.DateTimePatterns_cs = { YEAR_FULL: 'y', YEAR_MONTH_ABBR: 'LLL y', YEAR_MONTH_FULL: 'LLLL yyyy', MONTH_DAY_ABBR: 'd. MMM', MONTH_DAY_FULL: 'dd. MMMM', MONTH_DAY_SHORT: 'd.M', MONTH_DAY_MEDIUM: 'd. MMMM', DAY_ABBR: 'd.' }; /** * Extended set of localized date/time patterns for locale cy. */ goog.i18n.DateTimePatterns_cy = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale da. */ goog.i18n.DateTimePatterns_da = { YEAR_FULL: 'y', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd. MMM', MONTH_DAY_FULL: 'dd. MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd. MMMM', DAY_ABBR: 'd.' }; /** * Extended set of localized date/time patterns for locale de. */ goog.i18n.DateTimePatterns_de = { YEAR_FULL: 'y', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd. MMM', MONTH_DAY_FULL: 'dd. MMMM', MONTH_DAY_SHORT: 'd.M.', MONTH_DAY_MEDIUM: 'd. MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale de_AT. */ goog.i18n.DateTimePatterns_de_AT = { YEAR_FULL: 'y', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd. MMM', MONTH_DAY_FULL: 'dd. MMMM', MONTH_DAY_SHORT: 'd.M.', MONTH_DAY_MEDIUM: 'd. MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale de_CH. */ goog.i18n.DateTimePatterns_de_CH = { YEAR_FULL: 'y', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd. MMM', MONTH_DAY_FULL: 'dd. MMMM', MONTH_DAY_SHORT: 'd.M.', MONTH_DAY_MEDIUM: 'd. MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale el. */ goog.i18n.DateTimePatterns_el = { YEAR_FULL: 'y', YEAR_MONTH_ABBR: 'LLL y', YEAR_MONTH_FULL: 'LLLL yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale en. */ goog.i18n.DateTimePatterns_en = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale en_AU. */ goog.i18n.DateTimePatterns_en_AU = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM y', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale en_GB. */ goog.i18n.DateTimePatterns_en_GB = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale en_IE. */ goog.i18n.DateTimePatterns_en_IE = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM y', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale en_IN. */ goog.i18n.DateTimePatterns_en_IN = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale en_SG. */ goog.i18n.DateTimePatterns_en_SG = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale en_US. */ goog.i18n.DateTimePatterns_en_US = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale en_ZA. */ goog.i18n.DateTimePatterns_en_ZA = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'dd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'MM/dd', MONTH_DAY_MEDIUM: 'dd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale es. */ goog.i18n.DateTimePatterns_es = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd \'de\' MMM', MONTH_DAY_FULL: 'dd \'de\' MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd \'de\' MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale es_419. */ goog.i18n.DateTimePatterns_es_419 = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd \'de\' MMM', MONTH_DAY_FULL: 'dd \'de\' MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd \'de\' MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale et. */ goog.i18n.DateTimePatterns_et = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd. MMM', MONTH_DAY_FULL: 'dd. MMMM', MONTH_DAY_SHORT: 'd.M', MONTH_DAY_MEDIUM: 'd. MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale eu. */ goog.i18n.DateTimePatterns_eu = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale fa. */ goog.i18n.DateTimePatterns_fa = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd LLL', MONTH_DAY_FULL: 'dd LLLL', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'd LLLL', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale fi. */ goog.i18n.DateTimePatterns_fi = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'LLL y', YEAR_MONTH_FULL: 'LLLL yyyy', MONTH_DAY_ABBR: 'd. MMM', MONTH_DAY_FULL: 'dd. MMMM', MONTH_DAY_SHORT: 'd.M.', MONTH_DAY_MEDIUM: 'd. MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale fil. */ goog.i18n.DateTimePatterns_fil = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale fr. */ goog.i18n.DateTimePatterns_fr = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale fr_CA. */ goog.i18n.DateTimePatterns_fr_CA = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale gl. */ goog.i18n.DateTimePatterns_gl = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale gsw. */ goog.i18n.DateTimePatterns_gsw = { YEAR_FULL: 'y', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd. MMM', MONTH_DAY_FULL: 'dd. MMMM', MONTH_DAY_SHORT: 'd.M.', MONTH_DAY_MEDIUM: 'd. MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale gu. */ goog.i18n.DateTimePatterns_gu = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd-M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale haw. */ goog.i18n.DateTimePatterns_haw = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale he. */ goog.i18n.DateTimePatterns_he = { YEAR_FULL: 'y', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd בMMM', MONTH_DAY_FULL: 'dd בMMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd בMMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale hi. */ goog.i18n.DateTimePatterns_hi = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd-M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale hr. */ goog.i18n.DateTimePatterns_hr = { YEAR_FULL: 'yyyy.', YEAR_MONTH_ABBR: 'LLL y.', YEAR_MONTH_FULL: 'LLLL yyyy.', MONTH_DAY_ABBR: 'd. MMM', MONTH_DAY_FULL: 'dd. MMMM', MONTH_DAY_SHORT: 'd. M.', MONTH_DAY_MEDIUM: 'd. MMMM', DAY_ABBR: 'd.' }; /** * Extended set of localized date/time patterns for locale hu. */ goog.i18n.DateTimePatterns_hu = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y. MMM', YEAR_MONTH_FULL: 'yyyy. MMMM', MONTH_DAY_ABBR: 'MMM d.', MONTH_DAY_FULL: 'MMMM dd.', MONTH_DAY_SHORT: 'M.d.', MONTH_DAY_MEDIUM: 'MMMM d.', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale id. */ goog.i18n.DateTimePatterns_id = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale in. */ goog.i18n.DateTimePatterns_in = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale is. */ goog.i18n.DateTimePatterns_is = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd. MMM', MONTH_DAY_FULL: 'dd. MMMM', MONTH_DAY_SHORT: 'd.M', MONTH_DAY_MEDIUM: 'd. MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale it. */ goog.i18n.DateTimePatterns_it = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale iw. */ goog.i18n.DateTimePatterns_iw = { YEAR_FULL: 'y', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd בMMM', MONTH_DAY_FULL: 'dd בMMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd בMMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ja. */ goog.i18n.DateTimePatterns_ja = { YEAR_FULL: 'y年', YEAR_MONTH_ABBR: 'y年M月', YEAR_MONTH_FULL: 'yyyy年M月', MONTH_DAY_ABBR: 'M月d日', MONTH_DAY_FULL: 'M月dd日', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'M月d日', DAY_ABBR: 'd日' }; /** * Extended set of localized date/time patterns for locale kn. */ goog.i18n.DateTimePatterns_kn = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd-M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ko. */ goog.i18n.DateTimePatterns_ko = { YEAR_FULL: 'yyyy년', YEAR_MONTH_ABBR: 'y년 MMM', YEAR_MONTH_FULL: 'yyyy년 MMMM', MONTH_DAY_ABBR: 'MMM d일', MONTH_DAY_FULL: 'MMMM dd일', MONTH_DAY_SHORT: 'M. d', MONTH_DAY_MEDIUM: 'MMMM d일', DAY_ABBR: 'd일' }; /** * Extended set of localized date/time patterns for locale ln. */ goog.i18n.DateTimePatterns_ln = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale lt. */ goog.i18n.DateTimePatterns_lt = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM-d', MONTH_DAY_FULL: 'MMMM-dd', MONTH_DAY_SHORT: 'M.d', MONTH_DAY_MEDIUM: 'MMMM-d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale lv. */ goog.i18n.DateTimePatterns_lv = { YEAR_FULL: 'y. \'g\'.', YEAR_MONTH_ABBR: 'yyyy. \'g\'. MMM', YEAR_MONTH_FULL: 'yyyy. \'g\'. MMMM', MONTH_DAY_ABBR: 'd. MMM', MONTH_DAY_FULL: 'dd. MMMM', MONTH_DAY_SHORT: 'dd.MM.', MONTH_DAY_MEDIUM: 'd. MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ml. */ goog.i18n.DateTimePatterns_ml = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'd-M', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale mo. */ goog.i18n.DateTimePatterns_mo = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd.M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale mr. */ goog.i18n.DateTimePatterns_mr = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd-M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ms. */ goog.i18n.DateTimePatterns_ms = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd-M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale mt. */ goog.i18n.DateTimePatterns_mt = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale nl. */ goog.i18n.DateTimePatterns_nl = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd-M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale no. */ goog.i18n.DateTimePatterns_no = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd. MMM', MONTH_DAY_FULL: 'dd. MMMM', MONTH_DAY_SHORT: 'd.M.', MONTH_DAY_MEDIUM: 'd. MMMM', DAY_ABBR: 'd.' }; /** * Extended set of localized date/time patterns for locale or. */ goog.i18n.DateTimePatterns_or = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM y', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'd-M', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale pl. */ goog.i18n.DateTimePatterns_pl = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'LLL y', YEAR_MONTH_FULL: 'LLLL yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd.M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale pt_BR. */ goog.i18n.DateTimePatterns_pt_BR = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM \'de\' y', YEAR_MONTH_FULL: 'MMMM \'de\' yyyy', MONTH_DAY_ABBR: 'd \'de\' MMM', MONTH_DAY_FULL: 'dd \'de\' MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd \'de\' MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale pt_PT. */ goog.i18n.DateTimePatterns_pt_PT = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MM/y', YEAR_MONTH_FULL: 'MM/yyyy', MONTH_DAY_ABBR: 'd/MM', MONTH_DAY_FULL: 'dd/MM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd/MM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale pt. */ goog.i18n.DateTimePatterns_pt = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM \'de\' y', YEAR_MONTH_FULL: 'MMMM \'de\' yyyy', MONTH_DAY_ABBR: 'd \'de\' MMM', MONTH_DAY_FULL: 'dd \'de\' MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd \'de\' MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ro. */ goog.i18n.DateTimePatterns_ro = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd.M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ru. */ goog.i18n.DateTimePatterns_ru = { YEAR_FULL: 'y', YEAR_MONTH_ABBR: 'LLL y', YEAR_MONTH_FULL: 'LLLL yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd.M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale sk. */ goog.i18n.DateTimePatterns_sk = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'LLL y', YEAR_MONTH_FULL: 'LLLL yyyy', MONTH_DAY_ABBR: 'd. MMM', MONTH_DAY_FULL: 'dd. MMMM', MONTH_DAY_SHORT: 'd.M.', MONTH_DAY_MEDIUM: 'd. MMMM', DAY_ABBR: 'd.' }; /** * Extended set of localized date/time patterns for locale sl. */ goog.i18n.DateTimePatterns_sl = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd. MMM', MONTH_DAY_FULL: 'dd. MMMM', MONTH_DAY_SHORT: 'd. M.', MONTH_DAY_MEDIUM: 'd. MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale sq. */ goog.i18n.DateTimePatterns_sq = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale sr. */ goog.i18n.DateTimePatterns_sr = { YEAR_FULL: 'y.', YEAR_MONTH_ABBR: 'MMM. y', YEAR_MONTH_FULL: 'MMMM. yyyy', MONTH_DAY_ABBR: 'MMM d.', MONTH_DAY_FULL: 'MMMM dd.', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d.', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale sv. */ goog.i18n.DateTimePatterns_sv = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd:\'e\' MMM', MONTH_DAY_FULL: 'dd:\'e\' MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd:\'e\' MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale sw. */ goog.i18n.DateTimePatterns_sw = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ta. */ goog.i18n.DateTimePatterns_ta = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd-M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale te. */ goog.i18n.DateTimePatterns_te = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd-M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale th. */ goog.i18n.DateTimePatterns_th = { YEAR_FULL: 'G yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale tl. */ goog.i18n.DateTimePatterns_tl = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale tr. */ goog.i18n.DateTimePatterns_tr = { YEAR_FULL: 'y', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'dd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'dd/MM', MONTH_DAY_MEDIUM: 'dd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale uk. */ goog.i18n.DateTimePatterns_uk = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'LLL y', YEAR_MONTH_FULL: 'LLLL yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd.M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ur. */ goog.i18n.DateTimePatterns_ur = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale vi. */ goog.i18n.DateTimePatterns_vi = { YEAR_FULL: 'y', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd-M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: '\'Ngày\' d' }; /** * Extended set of localized date/time patterns for locale zh_TW. */ goog.i18n.DateTimePatterns_zh_TW = { YEAR_FULL: 'y年', YEAR_MONTH_ABBR: 'y年M月', YEAR_MONTH_FULL: 'yyyy年M月', MONTH_DAY_ABBR: 'M月d日', MONTH_DAY_FULL: 'M月dd日', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'M月d日', DAY_ABBR: 'd日' }; /** * Extended set of localized date/time patterns for locale zh_CN. */ goog.i18n.DateTimePatterns_zh_CN = { YEAR_FULL: 'y年', YEAR_MONTH_ABBR: 'y年M月', YEAR_MONTH_FULL: 'yyyy年M月', MONTH_DAY_ABBR: 'M月d日', MONTH_DAY_FULL: 'M月dd日', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'M月d日', DAY_ABBR: 'd日' }; /** * Extended set of localized date/time patterns for locale zh_HK. */ goog.i18n.DateTimePatterns_zh_HK = { YEAR_FULL: 'y年', YEAR_MONTH_ABBR: 'y年M月', YEAR_MONTH_FULL: 'yyyy年M月', MONTH_DAY_ABBR: 'M月d日', MONTH_DAY_FULL: 'M月dd日', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'M月d日', DAY_ABBR: 'd日' }; /** * Extended set of localized date/time patterns for locale zh. */ goog.i18n.DateTimePatterns_zh = { YEAR_FULL: 'y年', YEAR_MONTH_ABBR: 'y年M月', YEAR_MONTH_FULL: 'yyyy年M月', MONTH_DAY_ABBR: 'M月d日', MONTH_DAY_FULL: 'M月dd日', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'M月d日', DAY_ABBR: 'd日' }; /** * Extended set of localized date/time patterns for locale zu. */ goog.i18n.DateTimePatterns_zu = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** /* Select date/time pattern by locale. */ goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_en; if (goog.LOCALE == 'af') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_af; } if (goog.LOCALE == 'am') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_am; } if (goog.LOCALE == 'ar') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ar; } if (goog.LOCALE == 'bg') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_bg; } if (goog.LOCALE == 'bn') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_bn; } if (goog.LOCALE == 'ca') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ca; } if (goog.LOCALE == 'chr') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_chr; } if (goog.LOCALE == 'cs') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_cs; } if (goog.LOCALE == 'cy') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_cy; } if (goog.LOCALE == 'da') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_da; } if (goog.LOCALE == 'de') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_de; } if (goog.LOCALE == 'de_AT' || goog.LOCALE == 'de-AT') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_de_AT; } if (goog.LOCALE == 'de_CH' || goog.LOCALE == 'de-CH') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_de_CH; } if (goog.LOCALE == 'el') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_el; } if (goog.LOCALE == 'en') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_en; } if (goog.LOCALE == 'en_AU' || goog.LOCALE == 'en-AU') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_en_AU; } if (goog.LOCALE == 'en_GB' || goog.LOCALE == 'en-GB') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_en_GB; } if (goog.LOCALE == 'en_IE' || goog.LOCALE == 'en-IE') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_en_IE; } if (goog.LOCALE == 'en_IN' || goog.LOCALE == 'en-IN') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_en_IN; } if (goog.LOCALE == 'en_SG' || goog.LOCALE == 'en-SG') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_en_SG; } if (goog.LOCALE == 'en_US' || goog.LOCALE == 'en-US') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_en_US; } if (goog.LOCALE == 'en_ZA' || goog.LOCALE == 'en-ZA') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_en_ZA; } if (goog.LOCALE == 'es') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_es; } if (goog.LOCALE == 'es_419' || goog.LOCALE == 'es-419') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_es_419; } if (goog.LOCALE == 'et') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_et; } if (goog.LOCALE == 'eu') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_eu; } if (goog.LOCALE == 'fa') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_fa; } if (goog.LOCALE == 'fi') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_fi; } if (goog.LOCALE == 'fil') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_fil; } if (goog.LOCALE == 'fr') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_fr; } if (goog.LOCALE == 'fr_CA' || goog.LOCALE == 'fr-CA') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_fr_CA; } if (goog.LOCALE == 'gl') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_gl; } if (goog.LOCALE == 'gsw') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_gsw; } if (goog.LOCALE == 'gu') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_gu; } if (goog.LOCALE == 'haw') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_haw; } if (goog.LOCALE == 'he') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_he; } if (goog.LOCALE == 'hi') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_hi; } if (goog.LOCALE == 'hr') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_hr; } if (goog.LOCALE == 'hu') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_hu; } if (goog.LOCALE == 'id') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_id; } if (goog.LOCALE == 'in') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_in; } if (goog.LOCALE == 'is') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_is; } if (goog.LOCALE == 'it') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_it; } if (goog.LOCALE == 'iw') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_iw; } if (goog.LOCALE == 'ja') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ja; } if (goog.LOCALE == 'kn') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_kn; } if (goog.LOCALE == 'ko') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ko; } if (goog.LOCALE == 'ln') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ln; } if (goog.LOCALE == 'lt') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_lt; } if (goog.LOCALE == 'lv') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_lv; } if (goog.LOCALE == 'ml') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ml; } if (goog.LOCALE == 'mo') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_mo; } if (goog.LOCALE == 'mr') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_mr; } if (goog.LOCALE == 'ms') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ms; } if (goog.LOCALE == 'mt') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_mt; } if (goog.LOCALE == 'nl') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_nl; } if (goog.LOCALE == 'no') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_no; } if (goog.LOCALE == 'or') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_or; } if (goog.LOCALE == 'pl') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_pl; } if (goog.LOCALE == 'pt_BR' || goog.LOCALE == 'pt-BR') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_pt_BR; } if (goog.LOCALE == 'pt_PT' || goog.LOCALE == 'pt-PT') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_pt_PT; } if (goog.LOCALE == 'pt') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_pt; } if (goog.LOCALE == 'ro') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ro; } if (goog.LOCALE == 'ru') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ru; } if (goog.LOCALE == 'sk') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_sk; } if (goog.LOCALE == 'sl') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_sl; } if (goog.LOCALE == 'sq') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_sq; } if (goog.LOCALE == 'sr') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_sr; } if (goog.LOCALE == 'sv') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_sv; } if (goog.LOCALE == 'sw') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_sw; } if (goog.LOCALE == 'ta') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ta; } if (goog.LOCALE == 'te') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_te; } if (goog.LOCALE == 'th') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_th; } if (goog.LOCALE == 'tl') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_tl; } if (goog.LOCALE == 'tr') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_tr; } if (goog.LOCALE == 'uk') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_uk; } if (goog.LOCALE == 'ur') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ur; } if (goog.LOCALE == 'vi') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_vi; } if (goog.LOCALE == 'zh_TW' || goog.LOCALE == 'zh-TW') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_zh_TW; } if (goog.LOCALE == 'zh_CN' || goog.LOCALE == 'zh-CN') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_zh_CN; } if (goog.LOCALE == 'zh_HK' || goog.LOCALE == 'zh-HK') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_zh_HK; } if (goog.LOCALE == 'zh') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_zh; } if (goog.LOCALE == 'zu') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_zu; }
JavaScript
// Copyright 2011 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Extended date/time patterns. * * This file is autogenerated by script. See * http://go/generate_datetime_pattern.cc * * This file is generated using ICU's implementation of * DateTimePatternGenerator. The whole set has two files: * datetimepatterns.js and datetimepatternsext.js. The former covers * frequently used locales, the latter covers the rest. There won't be any * difference in compiled code, but some developing environments have * difficulty in dealing large js files. So we do the separation. * Only locales that can be enumerated in ICU are supported. For the rest * of the locales, it will fallback to 'en'. * The code is designed to work with Closure compiler using * ADVANCED_OPTIMIZATIONS. We will continue to add popular date/time * patterns over time. There is no intention cover all possible * usages. If simple pattern works fine, it won't be covered here either. * For example, pattern 'MMM' will work well to get short month name for * almost all locales thus won't be included here. */ goog.provide('goog.i18n.DateTimePatternsExt'); goog.provide('goog.i18n.DateTimePatterns_af_NA'); goog.provide('goog.i18n.DateTimePatterns_af_ZA'); goog.provide('goog.i18n.DateTimePatterns_agq'); goog.provide('goog.i18n.DateTimePatterns_agq_CM'); goog.provide('goog.i18n.DateTimePatterns_ak'); goog.provide('goog.i18n.DateTimePatterns_ak_GH'); goog.provide('goog.i18n.DateTimePatterns_am_ET'); goog.provide('goog.i18n.DateTimePatterns_ar_AE'); goog.provide('goog.i18n.DateTimePatterns_ar_BH'); goog.provide('goog.i18n.DateTimePatterns_ar_DZ'); goog.provide('goog.i18n.DateTimePatterns_ar_EG'); goog.provide('goog.i18n.DateTimePatterns_ar_IQ'); goog.provide('goog.i18n.DateTimePatterns_ar_JO'); goog.provide('goog.i18n.DateTimePatterns_ar_KW'); goog.provide('goog.i18n.DateTimePatterns_ar_LB'); goog.provide('goog.i18n.DateTimePatterns_ar_LY'); goog.provide('goog.i18n.DateTimePatterns_ar_MA'); goog.provide('goog.i18n.DateTimePatterns_ar_OM'); goog.provide('goog.i18n.DateTimePatterns_ar_QA'); goog.provide('goog.i18n.DateTimePatterns_ar_SA'); goog.provide('goog.i18n.DateTimePatterns_ar_SD'); goog.provide('goog.i18n.DateTimePatterns_ar_SY'); goog.provide('goog.i18n.DateTimePatterns_ar_TN'); goog.provide('goog.i18n.DateTimePatterns_ar_YE'); goog.provide('goog.i18n.DateTimePatterns_as'); goog.provide('goog.i18n.DateTimePatterns_as_IN'); goog.provide('goog.i18n.DateTimePatterns_asa'); goog.provide('goog.i18n.DateTimePatterns_asa_TZ'); goog.provide('goog.i18n.DateTimePatterns_az'); goog.provide('goog.i18n.DateTimePatterns_az_Cyrl'); goog.provide('goog.i18n.DateTimePatterns_az_Cyrl_AZ'); goog.provide('goog.i18n.DateTimePatterns_az_Latn'); goog.provide('goog.i18n.DateTimePatterns_az_Latn_AZ'); goog.provide('goog.i18n.DateTimePatterns_bas'); goog.provide('goog.i18n.DateTimePatterns_bas_CM'); goog.provide('goog.i18n.DateTimePatterns_be'); goog.provide('goog.i18n.DateTimePatterns_be_BY'); goog.provide('goog.i18n.DateTimePatterns_bem'); goog.provide('goog.i18n.DateTimePatterns_bem_ZM'); goog.provide('goog.i18n.DateTimePatterns_bez'); goog.provide('goog.i18n.DateTimePatterns_bez_TZ'); goog.provide('goog.i18n.DateTimePatterns_bg_BG'); goog.provide('goog.i18n.DateTimePatterns_bm'); goog.provide('goog.i18n.DateTimePatterns_bm_ML'); goog.provide('goog.i18n.DateTimePatterns_bn_BD'); goog.provide('goog.i18n.DateTimePatterns_bn_IN'); goog.provide('goog.i18n.DateTimePatterns_bo'); goog.provide('goog.i18n.DateTimePatterns_bo_CN'); goog.provide('goog.i18n.DateTimePatterns_bo_IN'); goog.provide('goog.i18n.DateTimePatterns_br'); goog.provide('goog.i18n.DateTimePatterns_br_FR'); goog.provide('goog.i18n.DateTimePatterns_brx'); goog.provide('goog.i18n.DateTimePatterns_brx_IN'); goog.provide('goog.i18n.DateTimePatterns_bs'); goog.provide('goog.i18n.DateTimePatterns_bs_BA'); goog.provide('goog.i18n.DateTimePatterns_ca_ES'); goog.provide('goog.i18n.DateTimePatterns_cgg'); goog.provide('goog.i18n.DateTimePatterns_cgg_UG'); goog.provide('goog.i18n.DateTimePatterns_chr_US'); goog.provide('goog.i18n.DateTimePatterns_cs_CZ'); goog.provide('goog.i18n.DateTimePatterns_cy_GB'); goog.provide('goog.i18n.DateTimePatterns_da_DK'); goog.provide('goog.i18n.DateTimePatterns_dav'); goog.provide('goog.i18n.DateTimePatterns_dav_KE'); goog.provide('goog.i18n.DateTimePatterns_de_BE'); goog.provide('goog.i18n.DateTimePatterns_de_DE'); goog.provide('goog.i18n.DateTimePatterns_de_LI'); goog.provide('goog.i18n.DateTimePatterns_de_LU'); goog.provide('goog.i18n.DateTimePatterns_dje'); goog.provide('goog.i18n.DateTimePatterns_dje_NE'); goog.provide('goog.i18n.DateTimePatterns_dua'); goog.provide('goog.i18n.DateTimePatterns_dua_CM'); goog.provide('goog.i18n.DateTimePatterns_dyo'); goog.provide('goog.i18n.DateTimePatterns_dyo_SN'); goog.provide('goog.i18n.DateTimePatterns_ebu'); goog.provide('goog.i18n.DateTimePatterns_ebu_KE'); goog.provide('goog.i18n.DateTimePatterns_ee'); goog.provide('goog.i18n.DateTimePatterns_ee_GH'); goog.provide('goog.i18n.DateTimePatterns_ee_TG'); goog.provide('goog.i18n.DateTimePatterns_el_CY'); goog.provide('goog.i18n.DateTimePatterns_el_GR'); goog.provide('goog.i18n.DateTimePatterns_en_AS'); goog.provide('goog.i18n.DateTimePatterns_en_BB'); goog.provide('goog.i18n.DateTimePatterns_en_BE'); goog.provide('goog.i18n.DateTimePatterns_en_BM'); goog.provide('goog.i18n.DateTimePatterns_en_BW'); goog.provide('goog.i18n.DateTimePatterns_en_BZ'); goog.provide('goog.i18n.DateTimePatterns_en_CA'); goog.provide('goog.i18n.DateTimePatterns_en_GU'); goog.provide('goog.i18n.DateTimePatterns_en_GY'); goog.provide('goog.i18n.DateTimePatterns_en_HK'); goog.provide('goog.i18n.DateTimePatterns_en_JM'); goog.provide('goog.i18n.DateTimePatterns_en_MH'); goog.provide('goog.i18n.DateTimePatterns_en_MP'); goog.provide('goog.i18n.DateTimePatterns_en_MT'); goog.provide('goog.i18n.DateTimePatterns_en_MU'); goog.provide('goog.i18n.DateTimePatterns_en_NA'); goog.provide('goog.i18n.DateTimePatterns_en_NZ'); goog.provide('goog.i18n.DateTimePatterns_en_PH'); goog.provide('goog.i18n.DateTimePatterns_en_PK'); goog.provide('goog.i18n.DateTimePatterns_en_TT'); goog.provide('goog.i18n.DateTimePatterns_en_UM'); goog.provide('goog.i18n.DateTimePatterns_en_US_POSIX'); goog.provide('goog.i18n.DateTimePatterns_en_VI'); goog.provide('goog.i18n.DateTimePatterns_en_ZW'); goog.provide('goog.i18n.DateTimePatterns_eo'); goog.provide('goog.i18n.DateTimePatterns_es_AR'); goog.provide('goog.i18n.DateTimePatterns_es_BO'); goog.provide('goog.i18n.DateTimePatterns_es_CL'); goog.provide('goog.i18n.DateTimePatterns_es_CO'); goog.provide('goog.i18n.DateTimePatterns_es_CR'); goog.provide('goog.i18n.DateTimePatterns_es_DO'); goog.provide('goog.i18n.DateTimePatterns_es_EC'); goog.provide('goog.i18n.DateTimePatterns_es_ES'); goog.provide('goog.i18n.DateTimePatterns_es_GQ'); goog.provide('goog.i18n.DateTimePatterns_es_GT'); goog.provide('goog.i18n.DateTimePatterns_es_HN'); goog.provide('goog.i18n.DateTimePatterns_es_MX'); goog.provide('goog.i18n.DateTimePatterns_es_NI'); goog.provide('goog.i18n.DateTimePatterns_es_PA'); goog.provide('goog.i18n.DateTimePatterns_es_PE'); goog.provide('goog.i18n.DateTimePatterns_es_PR'); goog.provide('goog.i18n.DateTimePatterns_es_PY'); goog.provide('goog.i18n.DateTimePatterns_es_SV'); goog.provide('goog.i18n.DateTimePatterns_es_US'); goog.provide('goog.i18n.DateTimePatterns_es_UY'); goog.provide('goog.i18n.DateTimePatterns_es_VE'); goog.provide('goog.i18n.DateTimePatterns_et_EE'); goog.provide('goog.i18n.DateTimePatterns_eu_ES'); goog.provide('goog.i18n.DateTimePatterns_ewo'); goog.provide('goog.i18n.DateTimePatterns_ewo_CM'); goog.provide('goog.i18n.DateTimePatterns_fa_AF'); goog.provide('goog.i18n.DateTimePatterns_fa_IR'); goog.provide('goog.i18n.DateTimePatterns_ff'); goog.provide('goog.i18n.DateTimePatterns_ff_SN'); goog.provide('goog.i18n.DateTimePatterns_fi_FI'); goog.provide('goog.i18n.DateTimePatterns_fil_PH'); goog.provide('goog.i18n.DateTimePatterns_fo'); goog.provide('goog.i18n.DateTimePatterns_fo_FO'); goog.provide('goog.i18n.DateTimePatterns_fr_BE'); goog.provide('goog.i18n.DateTimePatterns_fr_BF'); goog.provide('goog.i18n.DateTimePatterns_fr_BI'); goog.provide('goog.i18n.DateTimePatterns_fr_BJ'); goog.provide('goog.i18n.DateTimePatterns_fr_BL'); goog.provide('goog.i18n.DateTimePatterns_fr_CD'); goog.provide('goog.i18n.DateTimePatterns_fr_CF'); goog.provide('goog.i18n.DateTimePatterns_fr_CG'); goog.provide('goog.i18n.DateTimePatterns_fr_CH'); goog.provide('goog.i18n.DateTimePatterns_fr_CI'); goog.provide('goog.i18n.DateTimePatterns_fr_CM'); goog.provide('goog.i18n.DateTimePatterns_fr_DJ'); goog.provide('goog.i18n.DateTimePatterns_fr_FR'); goog.provide('goog.i18n.DateTimePatterns_fr_GA'); goog.provide('goog.i18n.DateTimePatterns_fr_GF'); goog.provide('goog.i18n.DateTimePatterns_fr_GN'); goog.provide('goog.i18n.DateTimePatterns_fr_GP'); goog.provide('goog.i18n.DateTimePatterns_fr_GQ'); goog.provide('goog.i18n.DateTimePatterns_fr_KM'); goog.provide('goog.i18n.DateTimePatterns_fr_LU'); goog.provide('goog.i18n.DateTimePatterns_fr_MC'); goog.provide('goog.i18n.DateTimePatterns_fr_MF'); goog.provide('goog.i18n.DateTimePatterns_fr_MG'); goog.provide('goog.i18n.DateTimePatterns_fr_ML'); goog.provide('goog.i18n.DateTimePatterns_fr_MQ'); goog.provide('goog.i18n.DateTimePatterns_fr_NE'); goog.provide('goog.i18n.DateTimePatterns_fr_RE'); goog.provide('goog.i18n.DateTimePatterns_fr_RW'); goog.provide('goog.i18n.DateTimePatterns_fr_SN'); goog.provide('goog.i18n.DateTimePatterns_fr_TD'); goog.provide('goog.i18n.DateTimePatterns_fr_TG'); goog.provide('goog.i18n.DateTimePatterns_fr_YT'); goog.provide('goog.i18n.DateTimePatterns_ga'); goog.provide('goog.i18n.DateTimePatterns_ga_IE'); goog.provide('goog.i18n.DateTimePatterns_gl_ES'); goog.provide('goog.i18n.DateTimePatterns_gsw_CH'); goog.provide('goog.i18n.DateTimePatterns_gu_IN'); goog.provide('goog.i18n.DateTimePatterns_guz'); goog.provide('goog.i18n.DateTimePatterns_guz_KE'); goog.provide('goog.i18n.DateTimePatterns_gv'); goog.provide('goog.i18n.DateTimePatterns_gv_GB'); goog.provide('goog.i18n.DateTimePatterns_ha'); goog.provide('goog.i18n.DateTimePatterns_ha_Latn'); goog.provide('goog.i18n.DateTimePatterns_ha_Latn_GH'); goog.provide('goog.i18n.DateTimePatterns_ha_Latn_NE'); goog.provide('goog.i18n.DateTimePatterns_ha_Latn_NG'); goog.provide('goog.i18n.DateTimePatterns_haw_US'); goog.provide('goog.i18n.DateTimePatterns_he_IL'); goog.provide('goog.i18n.DateTimePatterns_hi_IN'); goog.provide('goog.i18n.DateTimePatterns_hr_HR'); goog.provide('goog.i18n.DateTimePatterns_hu_HU'); goog.provide('goog.i18n.DateTimePatterns_hy'); goog.provide('goog.i18n.DateTimePatterns_hy_AM'); goog.provide('goog.i18n.DateTimePatterns_id_ID'); goog.provide('goog.i18n.DateTimePatterns_ig'); goog.provide('goog.i18n.DateTimePatterns_ig_NG'); goog.provide('goog.i18n.DateTimePatterns_ii'); goog.provide('goog.i18n.DateTimePatterns_ii_CN'); goog.provide('goog.i18n.DateTimePatterns_is_IS'); goog.provide('goog.i18n.DateTimePatterns_it_CH'); goog.provide('goog.i18n.DateTimePatterns_it_IT'); goog.provide('goog.i18n.DateTimePatterns_ja_JP'); goog.provide('goog.i18n.DateTimePatterns_jmc'); goog.provide('goog.i18n.DateTimePatterns_jmc_TZ'); goog.provide('goog.i18n.DateTimePatterns_ka'); goog.provide('goog.i18n.DateTimePatterns_ka_GE'); goog.provide('goog.i18n.DateTimePatterns_kab'); goog.provide('goog.i18n.DateTimePatterns_kab_DZ'); goog.provide('goog.i18n.DateTimePatterns_kam'); goog.provide('goog.i18n.DateTimePatterns_kam_KE'); goog.provide('goog.i18n.DateTimePatterns_kde'); goog.provide('goog.i18n.DateTimePatterns_kde_TZ'); goog.provide('goog.i18n.DateTimePatterns_kea'); goog.provide('goog.i18n.DateTimePatterns_kea_CV'); goog.provide('goog.i18n.DateTimePatterns_khq'); goog.provide('goog.i18n.DateTimePatterns_khq_ML'); goog.provide('goog.i18n.DateTimePatterns_ki'); goog.provide('goog.i18n.DateTimePatterns_ki_KE'); goog.provide('goog.i18n.DateTimePatterns_kk'); goog.provide('goog.i18n.DateTimePatterns_kk_Cyrl'); goog.provide('goog.i18n.DateTimePatterns_kk_Cyrl_KZ'); goog.provide('goog.i18n.DateTimePatterns_kl'); goog.provide('goog.i18n.DateTimePatterns_kl_GL'); goog.provide('goog.i18n.DateTimePatterns_kln'); goog.provide('goog.i18n.DateTimePatterns_kln_KE'); goog.provide('goog.i18n.DateTimePatterns_km'); goog.provide('goog.i18n.DateTimePatterns_km_KH'); goog.provide('goog.i18n.DateTimePatterns_kn_IN'); goog.provide('goog.i18n.DateTimePatterns_ko_KR'); goog.provide('goog.i18n.DateTimePatterns_kok'); goog.provide('goog.i18n.DateTimePatterns_kok_IN'); goog.provide('goog.i18n.DateTimePatterns_ksb'); goog.provide('goog.i18n.DateTimePatterns_ksb_TZ'); goog.provide('goog.i18n.DateTimePatterns_ksf'); goog.provide('goog.i18n.DateTimePatterns_ksf_CM'); goog.provide('goog.i18n.DateTimePatterns_kw'); goog.provide('goog.i18n.DateTimePatterns_kw_GB'); goog.provide('goog.i18n.DateTimePatterns_lag'); goog.provide('goog.i18n.DateTimePatterns_lag_TZ'); goog.provide('goog.i18n.DateTimePatterns_lg'); goog.provide('goog.i18n.DateTimePatterns_lg_UG'); goog.provide('goog.i18n.DateTimePatterns_ln_CD'); goog.provide('goog.i18n.DateTimePatterns_ln_CG'); goog.provide('goog.i18n.DateTimePatterns_lt_LT'); goog.provide('goog.i18n.DateTimePatterns_lu'); goog.provide('goog.i18n.DateTimePatterns_lu_CD'); goog.provide('goog.i18n.DateTimePatterns_luo'); goog.provide('goog.i18n.DateTimePatterns_luo_KE'); goog.provide('goog.i18n.DateTimePatterns_luy'); goog.provide('goog.i18n.DateTimePatterns_luy_KE'); goog.provide('goog.i18n.DateTimePatterns_lv_LV'); goog.provide('goog.i18n.DateTimePatterns_mas'); goog.provide('goog.i18n.DateTimePatterns_mas_KE'); goog.provide('goog.i18n.DateTimePatterns_mas_TZ'); goog.provide('goog.i18n.DateTimePatterns_mer'); goog.provide('goog.i18n.DateTimePatterns_mer_KE'); goog.provide('goog.i18n.DateTimePatterns_mfe'); goog.provide('goog.i18n.DateTimePatterns_mfe_MU'); goog.provide('goog.i18n.DateTimePatterns_mg'); goog.provide('goog.i18n.DateTimePatterns_mg_MG'); goog.provide('goog.i18n.DateTimePatterns_mgh'); goog.provide('goog.i18n.DateTimePatterns_mgh_MZ'); goog.provide('goog.i18n.DateTimePatterns_mk'); goog.provide('goog.i18n.DateTimePatterns_mk_MK'); goog.provide('goog.i18n.DateTimePatterns_ml_IN'); goog.provide('goog.i18n.DateTimePatterns_mr_IN'); goog.provide('goog.i18n.DateTimePatterns_ms_BN'); goog.provide('goog.i18n.DateTimePatterns_ms_MY'); goog.provide('goog.i18n.DateTimePatterns_mt_MT'); goog.provide('goog.i18n.DateTimePatterns_mua'); goog.provide('goog.i18n.DateTimePatterns_mua_CM'); goog.provide('goog.i18n.DateTimePatterns_my'); goog.provide('goog.i18n.DateTimePatterns_my_MM'); goog.provide('goog.i18n.DateTimePatterns_naq'); goog.provide('goog.i18n.DateTimePatterns_naq_NA'); goog.provide('goog.i18n.DateTimePatterns_nb'); goog.provide('goog.i18n.DateTimePatterns_nb_NO'); goog.provide('goog.i18n.DateTimePatterns_nd'); goog.provide('goog.i18n.DateTimePatterns_nd_ZW'); goog.provide('goog.i18n.DateTimePatterns_ne'); goog.provide('goog.i18n.DateTimePatterns_ne_IN'); goog.provide('goog.i18n.DateTimePatterns_ne_NP'); goog.provide('goog.i18n.DateTimePatterns_nl_AW'); goog.provide('goog.i18n.DateTimePatterns_nl_BE'); goog.provide('goog.i18n.DateTimePatterns_nl_NL'); goog.provide('goog.i18n.DateTimePatterns_nmg'); goog.provide('goog.i18n.DateTimePatterns_nmg_CM'); goog.provide('goog.i18n.DateTimePatterns_nn'); goog.provide('goog.i18n.DateTimePatterns_nn_NO'); goog.provide('goog.i18n.DateTimePatterns_nus'); goog.provide('goog.i18n.DateTimePatterns_nus_SD'); goog.provide('goog.i18n.DateTimePatterns_nyn'); goog.provide('goog.i18n.DateTimePatterns_nyn_UG'); goog.provide('goog.i18n.DateTimePatterns_om'); goog.provide('goog.i18n.DateTimePatterns_om_ET'); goog.provide('goog.i18n.DateTimePatterns_om_KE'); goog.provide('goog.i18n.DateTimePatterns_or_IN'); goog.provide('goog.i18n.DateTimePatterns_pa'); goog.provide('goog.i18n.DateTimePatterns_pa_Arab'); goog.provide('goog.i18n.DateTimePatterns_pa_Arab_PK'); goog.provide('goog.i18n.DateTimePatterns_pa_Guru'); goog.provide('goog.i18n.DateTimePatterns_pa_Guru_IN'); goog.provide('goog.i18n.DateTimePatterns_pl_PL'); goog.provide('goog.i18n.DateTimePatterns_ps'); goog.provide('goog.i18n.DateTimePatterns_ps_AF'); goog.provide('goog.i18n.DateTimePatterns_pt_AO'); goog.provide('goog.i18n.DateTimePatterns_pt_GW'); goog.provide('goog.i18n.DateTimePatterns_pt_MZ'); goog.provide('goog.i18n.DateTimePatterns_pt_ST'); goog.provide('goog.i18n.DateTimePatterns_rm'); goog.provide('goog.i18n.DateTimePatterns_rm_CH'); goog.provide('goog.i18n.DateTimePatterns_rn'); goog.provide('goog.i18n.DateTimePatterns_rn_BI'); goog.provide('goog.i18n.DateTimePatterns_ro_MD'); goog.provide('goog.i18n.DateTimePatterns_ro_RO'); goog.provide('goog.i18n.DateTimePatterns_rof'); goog.provide('goog.i18n.DateTimePatterns_rof_TZ'); goog.provide('goog.i18n.DateTimePatterns_ru_MD'); goog.provide('goog.i18n.DateTimePatterns_ru_RU'); goog.provide('goog.i18n.DateTimePatterns_ru_UA'); goog.provide('goog.i18n.DateTimePatterns_rw'); goog.provide('goog.i18n.DateTimePatterns_rw_RW'); goog.provide('goog.i18n.DateTimePatterns_rwk'); goog.provide('goog.i18n.DateTimePatterns_rwk_TZ'); goog.provide('goog.i18n.DateTimePatterns_saq'); goog.provide('goog.i18n.DateTimePatterns_saq_KE'); goog.provide('goog.i18n.DateTimePatterns_sbp'); goog.provide('goog.i18n.DateTimePatterns_sbp_TZ'); goog.provide('goog.i18n.DateTimePatterns_seh'); goog.provide('goog.i18n.DateTimePatterns_seh_MZ'); goog.provide('goog.i18n.DateTimePatterns_ses'); goog.provide('goog.i18n.DateTimePatterns_ses_ML'); goog.provide('goog.i18n.DateTimePatterns_sg'); goog.provide('goog.i18n.DateTimePatterns_sg_CF'); goog.provide('goog.i18n.DateTimePatterns_shi'); goog.provide('goog.i18n.DateTimePatterns_shi_Latn'); goog.provide('goog.i18n.DateTimePatterns_shi_Latn_MA'); goog.provide('goog.i18n.DateTimePatterns_shi_Tfng'); goog.provide('goog.i18n.DateTimePatterns_shi_Tfng_MA'); goog.provide('goog.i18n.DateTimePatterns_si'); goog.provide('goog.i18n.DateTimePatterns_si_LK'); goog.provide('goog.i18n.DateTimePatterns_sk_SK'); goog.provide('goog.i18n.DateTimePatterns_sl_SI'); goog.provide('goog.i18n.DateTimePatterns_sn'); goog.provide('goog.i18n.DateTimePatterns_sn_ZW'); goog.provide('goog.i18n.DateTimePatterns_so'); goog.provide('goog.i18n.DateTimePatterns_so_DJ'); goog.provide('goog.i18n.DateTimePatterns_so_ET'); goog.provide('goog.i18n.DateTimePatterns_so_KE'); goog.provide('goog.i18n.DateTimePatterns_so_SO'); goog.provide('goog.i18n.DateTimePatterns_sq_AL'); goog.provide('goog.i18n.DateTimePatterns_sr_Cyrl'); goog.provide('goog.i18n.DateTimePatterns_sr_Cyrl_BA'); goog.provide('goog.i18n.DateTimePatterns_sr_Cyrl_ME'); goog.provide('goog.i18n.DateTimePatterns_sr_Cyrl_RS'); goog.provide('goog.i18n.DateTimePatterns_sr_Latn'); goog.provide('goog.i18n.DateTimePatterns_sr_Latn_BA'); goog.provide('goog.i18n.DateTimePatterns_sr_Latn_ME'); goog.provide('goog.i18n.DateTimePatterns_sr_Latn_RS'); goog.provide('goog.i18n.DateTimePatterns_sv_FI'); goog.provide('goog.i18n.DateTimePatterns_sv_SE'); goog.provide('goog.i18n.DateTimePatterns_sw_KE'); goog.provide('goog.i18n.DateTimePatterns_sw_TZ'); goog.provide('goog.i18n.DateTimePatterns_swc'); goog.provide('goog.i18n.DateTimePatterns_swc_CD'); goog.provide('goog.i18n.DateTimePatterns_ta_IN'); goog.provide('goog.i18n.DateTimePatterns_ta_LK'); goog.provide('goog.i18n.DateTimePatterns_te_IN'); goog.provide('goog.i18n.DateTimePatterns_teo'); goog.provide('goog.i18n.DateTimePatterns_teo_KE'); goog.provide('goog.i18n.DateTimePatterns_teo_UG'); goog.provide('goog.i18n.DateTimePatterns_th_TH'); goog.provide('goog.i18n.DateTimePatterns_ti'); goog.provide('goog.i18n.DateTimePatterns_ti_ER'); goog.provide('goog.i18n.DateTimePatterns_ti_ET'); goog.provide('goog.i18n.DateTimePatterns_to'); goog.provide('goog.i18n.DateTimePatterns_to_TO'); goog.provide('goog.i18n.DateTimePatterns_tr_TR'); goog.provide('goog.i18n.DateTimePatterns_twq'); goog.provide('goog.i18n.DateTimePatterns_twq_NE'); goog.provide('goog.i18n.DateTimePatterns_tzm'); goog.provide('goog.i18n.DateTimePatterns_tzm_Latn'); goog.provide('goog.i18n.DateTimePatterns_tzm_Latn_MA'); goog.provide('goog.i18n.DateTimePatterns_uk_UA'); goog.provide('goog.i18n.DateTimePatterns_ur_IN'); goog.provide('goog.i18n.DateTimePatterns_ur_PK'); goog.provide('goog.i18n.DateTimePatterns_uz'); goog.provide('goog.i18n.DateTimePatterns_uz_Arab'); goog.provide('goog.i18n.DateTimePatterns_uz_Arab_AF'); goog.provide('goog.i18n.DateTimePatterns_uz_Cyrl'); goog.provide('goog.i18n.DateTimePatterns_uz_Cyrl_UZ'); goog.provide('goog.i18n.DateTimePatterns_uz_Latn'); goog.provide('goog.i18n.DateTimePatterns_uz_Latn_UZ'); goog.provide('goog.i18n.DateTimePatterns_vai'); goog.provide('goog.i18n.DateTimePatterns_vai_Latn'); goog.provide('goog.i18n.DateTimePatterns_vai_Latn_LR'); goog.provide('goog.i18n.DateTimePatterns_vai_Vaii'); goog.provide('goog.i18n.DateTimePatterns_vai_Vaii_LR'); goog.provide('goog.i18n.DateTimePatterns_vi_VN'); goog.provide('goog.i18n.DateTimePatterns_vun'); goog.provide('goog.i18n.DateTimePatterns_vun_TZ'); goog.provide('goog.i18n.DateTimePatterns_xog'); goog.provide('goog.i18n.DateTimePatterns_xog_UG'); goog.provide('goog.i18n.DateTimePatterns_yav'); goog.provide('goog.i18n.DateTimePatterns_yav_CM'); goog.provide('goog.i18n.DateTimePatterns_yo'); goog.provide('goog.i18n.DateTimePatterns_yo_NG'); goog.provide('goog.i18n.DateTimePatterns_zh_Hans'); goog.provide('goog.i18n.DateTimePatterns_zh_Hans_CN'); goog.provide('goog.i18n.DateTimePatterns_zh_Hans_HK'); goog.provide('goog.i18n.DateTimePatterns_zh_Hans_MO'); goog.provide('goog.i18n.DateTimePatterns_zh_Hans_SG'); goog.provide('goog.i18n.DateTimePatterns_zh_Hant'); goog.provide('goog.i18n.DateTimePatterns_zh_Hant_HK'); goog.provide('goog.i18n.DateTimePatterns_zh_Hant_MO'); goog.provide('goog.i18n.DateTimePatterns_zh_Hant_TW'); goog.provide('goog.i18n.DateTimePatterns_zu_ZA'); goog.require('goog.i18n.DateTimePatterns'); /** * Extended set of localized date/time patterns for locale af_NA. */ goog.i18n.DateTimePatterns_af_NA = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale af_ZA. */ goog.i18n.DateTimePatterns_af_ZA = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale agq. */ goog.i18n.DateTimePatterns_agq = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale agq_CM. */ goog.i18n.DateTimePatterns_agq_CM = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ak. */ goog.i18n.DateTimePatterns_ak = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM yyyy', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ak_GH. */ goog.i18n.DateTimePatterns_ak_GH = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM yyyy', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale am_ET. */ goog.i18n.DateTimePatterns_am_ET = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ar_AE. */ goog.i18n.DateTimePatterns_ar_AE = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd‏/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ar_BH. */ goog.i18n.DateTimePatterns_ar_BH = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd‏/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ar_DZ. */ goog.i18n.DateTimePatterns_ar_DZ = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ar_EG. */ goog.i18n.DateTimePatterns_ar_EG = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd‏/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ar_IQ. */ goog.i18n.DateTimePatterns_ar_IQ = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd‏/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ar_JO. */ goog.i18n.DateTimePatterns_ar_JO = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd‏/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ar_KW. */ goog.i18n.DateTimePatterns_ar_KW = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd‏/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ar_LB. */ goog.i18n.DateTimePatterns_ar_LB = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd‏/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ar_LY. */ goog.i18n.DateTimePatterns_ar_LY = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd‏/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ar_MA. */ goog.i18n.DateTimePatterns_ar_MA = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ar_OM. */ goog.i18n.DateTimePatterns_ar_OM = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd‏/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ar_QA. */ goog.i18n.DateTimePatterns_ar_QA = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd‏/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ar_SA. */ goog.i18n.DateTimePatterns_ar_SA = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd‏/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ar_SD. */ goog.i18n.DateTimePatterns_ar_SD = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd‏/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ar_SY. */ goog.i18n.DateTimePatterns_ar_SY = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd‏/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ar_TN. */ goog.i18n.DateTimePatterns_ar_TN = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ar_YE. */ goog.i18n.DateTimePatterns_ar_YE = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd‏/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale as. */ goog.i18n.DateTimePatterns_as = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale as_IN. */ goog.i18n.DateTimePatterns_as_IN = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale asa. */ goog.i18n.DateTimePatterns_asa = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale asa_TZ. */ goog.i18n.DateTimePatterns_asa_TZ = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale az. */ goog.i18n.DateTimePatterns_az = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM, y', YEAR_MONTH_FULL: 'MMMM, yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale az_Cyrl. */ goog.i18n.DateTimePatterns_az_Cyrl = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM, y', YEAR_MONTH_FULL: 'MMMM, yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale az_Cyrl_AZ. */ goog.i18n.DateTimePatterns_az_Cyrl_AZ = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM, y', YEAR_MONTH_FULL: 'MMMM, yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale az_Latn. */ goog.i18n.DateTimePatterns_az_Latn = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM, y', YEAR_MONTH_FULL: 'MMMM, yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale az_Latn_AZ. */ goog.i18n.DateTimePatterns_az_Latn_AZ = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM, y', YEAR_MONTH_FULL: 'MMMM, yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale bas. */ goog.i18n.DateTimePatterns_bas = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale bas_CM. */ goog.i18n.DateTimePatterns_bas_CM = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale be. */ goog.i18n.DateTimePatterns_be = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale be_BY. */ goog.i18n.DateTimePatterns_be_BY = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale bem. */ goog.i18n.DateTimePatterns_bem = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale bem_ZM. */ goog.i18n.DateTimePatterns_bem_ZM = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale bez. */ goog.i18n.DateTimePatterns_bez = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale bez_TZ. */ goog.i18n.DateTimePatterns_bez_TZ = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale bg_BG. */ goog.i18n.DateTimePatterns_bg_BG = { YEAR_FULL: 'y', YEAR_MONTH_ABBR: 'MMM y \'г\'.', YEAR_MONTH_FULL: 'MMMM yyyy \'г\'.', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd.M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale bm. */ goog.i18n.DateTimePatterns_bm = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale bm_ML. */ goog.i18n.DateTimePatterns_bm_ML = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale bn_BD. */ goog.i18n.DateTimePatterns_bn_BD = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd-M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale bn_IN. */ goog.i18n.DateTimePatterns_bn_IN = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd-M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale bo. */ goog.i18n.DateTimePatterns_bo = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale bo_CN. */ goog.i18n.DateTimePatterns_bo_CN = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale bo_IN. */ goog.i18n.DateTimePatterns_bo_IN = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale br. */ goog.i18n.DateTimePatterns_br = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale br_FR. */ goog.i18n.DateTimePatterns_br_FR = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale brx. */ goog.i18n.DateTimePatterns_brx = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM yyyy', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale brx_IN. */ goog.i18n.DateTimePatterns_brx_IN = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM yyyy', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale bs. */ goog.i18n.DateTimePatterns_bs = { YEAR_FULL: 'yyyy.', YEAR_MONTH_ABBR: 'MMM y.', YEAR_MONTH_FULL: 'MMMM yyyy.', MONTH_DAY_ABBR: 'dd. MMM', MONTH_DAY_FULL: 'dd. MMMM', MONTH_DAY_SHORT: 'dd.MM.', MONTH_DAY_MEDIUM: 'dd. MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale bs_BA. */ goog.i18n.DateTimePatterns_bs_BA = { YEAR_FULL: 'yyyy.', YEAR_MONTH_ABBR: 'MMM y.', YEAR_MONTH_FULL: 'MMMM yyyy.', MONTH_DAY_ABBR: 'dd. MMM', MONTH_DAY_FULL: 'dd. MMMM', MONTH_DAY_SHORT: 'dd.MM.', MONTH_DAY_MEDIUM: 'dd. MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ca_ES. */ goog.i18n.DateTimePatterns_ca_ES = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'LLL y', YEAR_MONTH_FULL: 'LLLL yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale cgg. */ goog.i18n.DateTimePatterns_cgg = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale cgg_UG. */ goog.i18n.DateTimePatterns_cgg_UG = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale chr_US. */ goog.i18n.DateTimePatterns_chr_US = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale cs_CZ. */ goog.i18n.DateTimePatterns_cs_CZ = { YEAR_FULL: 'y', YEAR_MONTH_ABBR: 'LLL y', YEAR_MONTH_FULL: 'LLLL yyyy', MONTH_DAY_ABBR: 'd. MMM', MONTH_DAY_FULL: 'dd. MMMM', MONTH_DAY_SHORT: 'd.M', MONTH_DAY_MEDIUM: 'd. MMMM', DAY_ABBR: 'd.' }; /** * Extended set of localized date/time patterns for locale cy_GB. */ goog.i18n.DateTimePatterns_cy_GB = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale da_DK. */ goog.i18n.DateTimePatterns_da_DK = { YEAR_FULL: 'y', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd. MMM', MONTH_DAY_FULL: 'dd. MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd. MMMM', DAY_ABBR: 'd.' }; /** * Extended set of localized date/time patterns for locale dav. */ goog.i18n.DateTimePatterns_dav = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale dav_KE. */ goog.i18n.DateTimePatterns_dav_KE = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale de_BE. */ goog.i18n.DateTimePatterns_de_BE = { YEAR_FULL: 'y', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd. MMM', MONTH_DAY_FULL: 'dd. MMMM', MONTH_DAY_SHORT: 'd.M.', MONTH_DAY_MEDIUM: 'd. MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale de_DE. */ goog.i18n.DateTimePatterns_de_DE = { YEAR_FULL: 'y', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd. MMM', MONTH_DAY_FULL: 'dd. MMMM', MONTH_DAY_SHORT: 'd.M.', MONTH_DAY_MEDIUM: 'd. MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale de_LI. */ goog.i18n.DateTimePatterns_de_LI = { YEAR_FULL: 'y', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd. MMM', MONTH_DAY_FULL: 'dd. MMMM', MONTH_DAY_SHORT: 'd.M.', MONTH_DAY_MEDIUM: 'd. MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale de_LU. */ goog.i18n.DateTimePatterns_de_LU = { YEAR_FULL: 'y', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd. MMM', MONTH_DAY_FULL: 'dd. MMMM', MONTH_DAY_SHORT: 'd.M.', MONTH_DAY_MEDIUM: 'd. MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale dje. */ goog.i18n.DateTimePatterns_dje = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale dje_NE. */ goog.i18n.DateTimePatterns_dje_NE = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale dua. */ goog.i18n.DateTimePatterns_dua = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale dua_CM. */ goog.i18n.DateTimePatterns_dua_CM = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale dyo. */ goog.i18n.DateTimePatterns_dyo = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale dyo_SN. */ goog.i18n.DateTimePatterns_dyo_SN = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ebu. */ goog.i18n.DateTimePatterns_ebu = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ebu_KE. */ goog.i18n.DateTimePatterns_ebu_KE = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ee. */ goog.i18n.DateTimePatterns_ee = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ee_GH. */ goog.i18n.DateTimePatterns_ee_GH = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ee_TG. */ goog.i18n.DateTimePatterns_ee_TG = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale el_CY. */ goog.i18n.DateTimePatterns_el_CY = { YEAR_FULL: 'y', YEAR_MONTH_ABBR: 'LLL y', YEAR_MONTH_FULL: 'LLLL yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale el_GR. */ goog.i18n.DateTimePatterns_el_GR = { YEAR_FULL: 'y', YEAR_MONTH_ABBR: 'LLL y', YEAR_MONTH_FULL: 'LLLL yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale en_AS. */ goog.i18n.DateTimePatterns_en_AS = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale en_BB. */ goog.i18n.DateTimePatterns_en_BB = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale en_BE. */ goog.i18n.DateTimePatterns_en_BE = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale en_BM. */ goog.i18n.DateTimePatterns_en_BM = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale en_BW. */ goog.i18n.DateTimePatterns_en_BW = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'dd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'dd/MM', MONTH_DAY_MEDIUM: 'dd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale en_BZ. */ goog.i18n.DateTimePatterns_en_BZ = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'dd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'dd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale en_CA. */ goog.i18n.DateTimePatterns_en_CA = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM-y', YEAR_MONTH_FULL: 'MMMM-yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale en_GU. */ goog.i18n.DateTimePatterns_en_GU = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale en_GY. */ goog.i18n.DateTimePatterns_en_GY = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale en_HK. */ goog.i18n.DateTimePatterns_en_HK = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale en_JM. */ goog.i18n.DateTimePatterns_en_JM = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale en_MH. */ goog.i18n.DateTimePatterns_en_MH = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale en_MP. */ goog.i18n.DateTimePatterns_en_MP = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale en_MT. */ goog.i18n.DateTimePatterns_en_MT = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'dd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'dd/MM', MONTH_DAY_MEDIUM: 'dd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale en_MU. */ goog.i18n.DateTimePatterns_en_MU = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale en_NA. */ goog.i18n.DateTimePatterns_en_NA = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale en_NZ. */ goog.i18n.DateTimePatterns_en_NZ = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM y', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale en_PH. */ goog.i18n.DateTimePatterns_en_PH = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale en_PK. */ goog.i18n.DateTimePatterns_en_PK = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale en_TT. */ goog.i18n.DateTimePatterns_en_TT = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale en_UM. */ goog.i18n.DateTimePatterns_en_UM = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale en_US_POSIX. */ goog.i18n.DateTimePatterns_en_US_POSIX = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale en_VI. */ goog.i18n.DateTimePatterns_en_VI = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale en_ZW. */ goog.i18n.DateTimePatterns_en_ZW = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'dd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'dd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale eo. */ goog.i18n.DateTimePatterns_eo = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale es_AR. */ goog.i18n.DateTimePatterns_es_AR = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd \'de\' MMM', MONTH_DAY_FULL: 'dd \'de\' MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd \'de\' MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale es_BO. */ goog.i18n.DateTimePatterns_es_BO = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd \'de\' MMM', MONTH_DAY_FULL: 'dd \'de\' MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd \'de\' MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale es_CL. */ goog.i18n.DateTimePatterns_es_CL = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd \'de\' MMM', MONTH_DAY_FULL: 'dd \'de\' MMMM', MONTH_DAY_SHORT: 'dd-MM', MONTH_DAY_MEDIUM: 'd \'de\' MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale es_CO. */ goog.i18n.DateTimePatterns_es_CO = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd \'de\' MMM', MONTH_DAY_FULL: 'dd \'de\' MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd \'de\' MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale es_CR. */ goog.i18n.DateTimePatterns_es_CR = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd \'de\' MMM', MONTH_DAY_FULL: 'dd \'de\' MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd \'de\' MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale es_DO. */ goog.i18n.DateTimePatterns_es_DO = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd \'de\' MMM', MONTH_DAY_FULL: 'dd \'de\' MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd \'de\' MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale es_EC. */ goog.i18n.DateTimePatterns_es_EC = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd \'de\' MMM', MONTH_DAY_FULL: 'dd \'de\' MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd \'de\' MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale es_ES. */ goog.i18n.DateTimePatterns_es_ES = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd \'de\' MMM', MONTH_DAY_FULL: 'dd \'de\' MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd \'de\' MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale es_GQ. */ goog.i18n.DateTimePatterns_es_GQ = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd \'de\' MMM', MONTH_DAY_FULL: 'dd \'de\' MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd \'de\' MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale es_GT. */ goog.i18n.DateTimePatterns_es_GT = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd \'de\' MMM', MONTH_DAY_FULL: 'dd \'de\' MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd \'de\' MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale es_HN. */ goog.i18n.DateTimePatterns_es_HN = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd \'de\' MMM', MONTH_DAY_FULL: 'dd \'de\' MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd \'de\' MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale es_MX. */ goog.i18n.DateTimePatterns_es_MX = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd \'de\' MMM', MONTH_DAY_FULL: 'dd \'de\' MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd \'de\' MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale es_NI. */ goog.i18n.DateTimePatterns_es_NI = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd \'de\' MMM', MONTH_DAY_FULL: 'dd \'de\' MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd \'de\' MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale es_PA. */ goog.i18n.DateTimePatterns_es_PA = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd \'de\' MMM', MONTH_DAY_FULL: 'dd \'de\' MMMM', MONTH_DAY_SHORT: 'MM/dd', MONTH_DAY_MEDIUM: 'd \'de\' MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale es_PE. */ goog.i18n.DateTimePatterns_es_PE = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd \'de\' MMM', MONTH_DAY_FULL: 'dd \'de\' MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd \'de\' MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale es_PR. */ goog.i18n.DateTimePatterns_es_PR = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd \'de\' MMM', MONTH_DAY_FULL: 'dd \'de\' MMMM', MONTH_DAY_SHORT: 'MM/dd', MONTH_DAY_MEDIUM: 'd \'de\' MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale es_PY. */ goog.i18n.DateTimePatterns_es_PY = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd \'de\' MMM', MONTH_DAY_FULL: 'dd \'de\' MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd \'de\' MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale es_SV. */ goog.i18n.DateTimePatterns_es_SV = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd \'de\' MMM', MONTH_DAY_FULL: 'dd \'de\' MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd \'de\' MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale es_US. */ goog.i18n.DateTimePatterns_es_US = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale es_UY. */ goog.i18n.DateTimePatterns_es_UY = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd \'de\' MMM', MONTH_DAY_FULL: 'dd \'de\' MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd \'de\' MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale es_VE. */ goog.i18n.DateTimePatterns_es_VE = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd \'de\' MMM', MONTH_DAY_FULL: 'dd \'de\' MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd \'de\' MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale et_EE. */ goog.i18n.DateTimePatterns_et_EE = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd. MMM', MONTH_DAY_FULL: 'dd. MMMM', MONTH_DAY_SHORT: 'd.M', MONTH_DAY_MEDIUM: 'd. MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale eu_ES. */ goog.i18n.DateTimePatterns_eu_ES = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ewo. */ goog.i18n.DateTimePatterns_ewo = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ewo_CM. */ goog.i18n.DateTimePatterns_ewo_CM = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale fa_AF. */ goog.i18n.DateTimePatterns_fa_AF = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd LLL', MONTH_DAY_FULL: 'dd LLLL', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'd LLLL', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale fa_IR. */ goog.i18n.DateTimePatterns_fa_IR = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd LLL', MONTH_DAY_FULL: 'dd LLLL', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'd LLLL', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ff. */ goog.i18n.DateTimePatterns_ff = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ff_SN. */ goog.i18n.DateTimePatterns_ff_SN = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale fi_FI. */ goog.i18n.DateTimePatterns_fi_FI = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'LLL y', YEAR_MONTH_FULL: 'LLLL yyyy', MONTH_DAY_ABBR: 'd. MMM', MONTH_DAY_FULL: 'dd. MMMM', MONTH_DAY_SHORT: 'd.M.', MONTH_DAY_MEDIUM: 'd. MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale fil_PH. */ goog.i18n.DateTimePatterns_fil_PH = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale fo. */ goog.i18n.DateTimePatterns_fo = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale fo_FO. */ goog.i18n.DateTimePatterns_fo_FO = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale fr_BE. */ goog.i18n.DateTimePatterns_fr_BE = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale fr_BF. */ goog.i18n.DateTimePatterns_fr_BF = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale fr_BI. */ goog.i18n.DateTimePatterns_fr_BI = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale fr_BJ. */ goog.i18n.DateTimePatterns_fr_BJ = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale fr_BL. */ goog.i18n.DateTimePatterns_fr_BL = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale fr_CD. */ goog.i18n.DateTimePatterns_fr_CD = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale fr_CF. */ goog.i18n.DateTimePatterns_fr_CF = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale fr_CG. */ goog.i18n.DateTimePatterns_fr_CG = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale fr_CH. */ goog.i18n.DateTimePatterns_fr_CH = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale fr_CI. */ goog.i18n.DateTimePatterns_fr_CI = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale fr_CM. */ goog.i18n.DateTimePatterns_fr_CM = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale fr_DJ. */ goog.i18n.DateTimePatterns_fr_DJ = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale fr_FR. */ goog.i18n.DateTimePatterns_fr_FR = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale fr_GA. */ goog.i18n.DateTimePatterns_fr_GA = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale fr_GF. */ goog.i18n.DateTimePatterns_fr_GF = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale fr_GN. */ goog.i18n.DateTimePatterns_fr_GN = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale fr_GP. */ goog.i18n.DateTimePatterns_fr_GP = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale fr_GQ. */ goog.i18n.DateTimePatterns_fr_GQ = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale fr_KM. */ goog.i18n.DateTimePatterns_fr_KM = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale fr_LU. */ goog.i18n.DateTimePatterns_fr_LU = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale fr_MC. */ goog.i18n.DateTimePatterns_fr_MC = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale fr_MF. */ goog.i18n.DateTimePatterns_fr_MF = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale fr_MG. */ goog.i18n.DateTimePatterns_fr_MG = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale fr_ML. */ goog.i18n.DateTimePatterns_fr_ML = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale fr_MQ. */ goog.i18n.DateTimePatterns_fr_MQ = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale fr_NE. */ goog.i18n.DateTimePatterns_fr_NE = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale fr_RE. */ goog.i18n.DateTimePatterns_fr_RE = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale fr_RW. */ goog.i18n.DateTimePatterns_fr_RW = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale fr_SN. */ goog.i18n.DateTimePatterns_fr_SN = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale fr_TD. */ goog.i18n.DateTimePatterns_fr_TD = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale fr_TG. */ goog.i18n.DateTimePatterns_fr_TG = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale fr_YT. */ goog.i18n.DateTimePatterns_fr_YT = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ga. */ goog.i18n.DateTimePatterns_ga = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ga_IE. */ goog.i18n.DateTimePatterns_ga_IE = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale gl_ES. */ goog.i18n.DateTimePatterns_gl_ES = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale gsw_CH. */ goog.i18n.DateTimePatterns_gsw_CH = { YEAR_FULL: 'y', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd. MMM', MONTH_DAY_FULL: 'dd. MMMM', MONTH_DAY_SHORT: 'd.M.', MONTH_DAY_MEDIUM: 'd. MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale gu_IN. */ goog.i18n.DateTimePatterns_gu_IN = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd-M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale guz. */ goog.i18n.DateTimePatterns_guz = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale guz_KE. */ goog.i18n.DateTimePatterns_guz_KE = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale gv. */ goog.i18n.DateTimePatterns_gv = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale gv_GB. */ goog.i18n.DateTimePatterns_gv_GB = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ha. */ goog.i18n.DateTimePatterns_ha = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ha_Latn. */ goog.i18n.DateTimePatterns_ha_Latn = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ha_Latn_GH. */ goog.i18n.DateTimePatterns_ha_Latn_GH = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ha_Latn_NE. */ goog.i18n.DateTimePatterns_ha_Latn_NE = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ha_Latn_NG. */ goog.i18n.DateTimePatterns_ha_Latn_NG = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale haw_US. */ goog.i18n.DateTimePatterns_haw_US = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale he_IL. */ goog.i18n.DateTimePatterns_he_IL = { YEAR_FULL: 'y', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd בMMM', MONTH_DAY_FULL: 'dd בMMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd בMMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale hi_IN. */ goog.i18n.DateTimePatterns_hi_IN = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd-M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale hr_HR. */ goog.i18n.DateTimePatterns_hr_HR = { YEAR_FULL: 'yyyy.', YEAR_MONTH_ABBR: 'LLL y.', YEAR_MONTH_FULL: 'LLLL yyyy.', MONTH_DAY_ABBR: 'd. MMM', MONTH_DAY_FULL: 'dd. MMMM', MONTH_DAY_SHORT: 'd. M.', MONTH_DAY_MEDIUM: 'd. MMMM', DAY_ABBR: 'd.' }; /** * Extended set of localized date/time patterns for locale hu_HU. */ goog.i18n.DateTimePatterns_hu_HU = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y. MMM', YEAR_MONTH_FULL: 'yyyy. MMMM', MONTH_DAY_ABBR: 'MMM d.', MONTH_DAY_FULL: 'MMMM dd.', MONTH_DAY_SHORT: 'M.d.', MONTH_DAY_MEDIUM: 'MMMM d.', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale hy. */ goog.i18n.DateTimePatterns_hy = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale hy_AM. */ goog.i18n.DateTimePatterns_hy_AM = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale id_ID. */ goog.i18n.DateTimePatterns_id_ID = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ig. */ goog.i18n.DateTimePatterns_ig = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ig_NG. */ goog.i18n.DateTimePatterns_ig_NG = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ii. */ goog.i18n.DateTimePatterns_ii = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ii_CN. */ goog.i18n.DateTimePatterns_ii_CN = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale is_IS. */ goog.i18n.DateTimePatterns_is_IS = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd. MMM', MONTH_DAY_FULL: 'dd. MMMM', MONTH_DAY_SHORT: 'd.M', MONTH_DAY_MEDIUM: 'd. MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale it_CH. */ goog.i18n.DateTimePatterns_it_CH = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale it_IT. */ goog.i18n.DateTimePatterns_it_IT = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ja_JP. */ goog.i18n.DateTimePatterns_ja_JP = { YEAR_FULL: 'y年', YEAR_MONTH_ABBR: 'y年M月', YEAR_MONTH_FULL: 'yyyy年M月', MONTH_DAY_ABBR: 'M月d日', MONTH_DAY_FULL: 'M月dd日', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'M月d日', DAY_ABBR: 'd日' }; /** * Extended set of localized date/time patterns for locale jmc. */ goog.i18n.DateTimePatterns_jmc = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale jmc_TZ. */ goog.i18n.DateTimePatterns_jmc_TZ = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ka. */ goog.i18n.DateTimePatterns_ka = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd.M.', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ka_GE. */ goog.i18n.DateTimePatterns_ka_GE = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd.M.', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale kab. */ goog.i18n.DateTimePatterns_kab = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale kab_DZ. */ goog.i18n.DateTimePatterns_kab_DZ = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale kam. */ goog.i18n.DateTimePatterns_kam = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale kam_KE. */ goog.i18n.DateTimePatterns_kam_KE = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale kde. */ goog.i18n.DateTimePatterns_kde = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale kde_TZ. */ goog.i18n.DateTimePatterns_kde_TZ = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale kea. */ goog.i18n.DateTimePatterns_kea = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM \'di\' y', YEAR_MONTH_FULL: 'MMMM \'di\' yyyy', MONTH_DAY_ABBR: 'd \'di\' MMM', MONTH_DAY_FULL: 'dd \'di\' MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd \'di\' MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale kea_CV. */ goog.i18n.DateTimePatterns_kea_CV = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM \'di\' y', YEAR_MONTH_FULL: 'MMMM \'di\' yyyy', MONTH_DAY_ABBR: 'd \'di\' MMM', MONTH_DAY_FULL: 'dd \'di\' MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd \'di\' MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale khq. */ goog.i18n.DateTimePatterns_khq = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale khq_ML. */ goog.i18n.DateTimePatterns_khq_ML = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ki. */ goog.i18n.DateTimePatterns_ki = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ki_KE. */ goog.i18n.DateTimePatterns_ki_KE = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale kk. */ goog.i18n.DateTimePatterns_kk = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale kk_Cyrl. */ goog.i18n.DateTimePatterns_kk_Cyrl = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale kk_Cyrl_KZ. */ goog.i18n.DateTimePatterns_kk_Cyrl_KZ = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale kl. */ goog.i18n.DateTimePatterns_kl = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale kl_GL. */ goog.i18n.DateTimePatterns_kl_GL = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale kln. */ goog.i18n.DateTimePatterns_kln = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale kln_KE. */ goog.i18n.DateTimePatterns_kln_KE = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale km. */ goog.i18n.DateTimePatterns_km = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale km_KH. */ goog.i18n.DateTimePatterns_km_KH = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale kn_IN. */ goog.i18n.DateTimePatterns_kn_IN = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd-M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ko_KR. */ goog.i18n.DateTimePatterns_ko_KR = { YEAR_FULL: 'yyyy년', YEAR_MONTH_ABBR: 'y년 MMM', YEAR_MONTH_FULL: 'yyyy년 MMMM', MONTH_DAY_ABBR: 'MMM d일', MONTH_DAY_FULL: 'MMMM dd일', MONTH_DAY_SHORT: 'M. d', MONTH_DAY_MEDIUM: 'MMMM d일', DAY_ABBR: 'd일' }; /** * Extended set of localized date/time patterns for locale kok. */ goog.i18n.DateTimePatterns_kok = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale kok_IN. */ goog.i18n.DateTimePatterns_kok_IN = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ksb. */ goog.i18n.DateTimePatterns_ksb = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ksb_TZ. */ goog.i18n.DateTimePatterns_ksb_TZ = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ksf. */ goog.i18n.DateTimePatterns_ksf = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ksf_CM. */ goog.i18n.DateTimePatterns_ksf_CM = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale kw. */ goog.i18n.DateTimePatterns_kw = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale kw_GB. */ goog.i18n.DateTimePatterns_kw_GB = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale lag. */ goog.i18n.DateTimePatterns_lag = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale lag_TZ. */ goog.i18n.DateTimePatterns_lag_TZ = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale lg. */ goog.i18n.DateTimePatterns_lg = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale lg_UG. */ goog.i18n.DateTimePatterns_lg_UG = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ln_CD. */ goog.i18n.DateTimePatterns_ln_CD = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ln_CG. */ goog.i18n.DateTimePatterns_ln_CG = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale lt_LT. */ goog.i18n.DateTimePatterns_lt_LT = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM-d', MONTH_DAY_FULL: 'MMMM-dd', MONTH_DAY_SHORT: 'M.d', MONTH_DAY_MEDIUM: 'MMMM-d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale lu. */ goog.i18n.DateTimePatterns_lu = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale lu_CD. */ goog.i18n.DateTimePatterns_lu_CD = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale luo. */ goog.i18n.DateTimePatterns_luo = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale luo_KE. */ goog.i18n.DateTimePatterns_luo_KE = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale luy. */ goog.i18n.DateTimePatterns_luy = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale luy_KE. */ goog.i18n.DateTimePatterns_luy_KE = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale lv_LV. */ goog.i18n.DateTimePatterns_lv_LV = { YEAR_FULL: 'y. \'g\'.', YEAR_MONTH_ABBR: 'yyyy. \'g\'. MMM', YEAR_MONTH_FULL: 'yyyy. \'g\'. MMMM', MONTH_DAY_ABBR: 'd. MMM', MONTH_DAY_FULL: 'dd. MMMM', MONTH_DAY_SHORT: 'dd.MM.', MONTH_DAY_MEDIUM: 'd. MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale mas. */ goog.i18n.DateTimePatterns_mas = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale mas_KE. */ goog.i18n.DateTimePatterns_mas_KE = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale mas_TZ. */ goog.i18n.DateTimePatterns_mas_TZ = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale mer. */ goog.i18n.DateTimePatterns_mer = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale mer_KE. */ goog.i18n.DateTimePatterns_mer_KE = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale mfe. */ goog.i18n.DateTimePatterns_mfe = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale mfe_MU. */ goog.i18n.DateTimePatterns_mfe_MU = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale mg. */ goog.i18n.DateTimePatterns_mg = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale mg_MG. */ goog.i18n.DateTimePatterns_mg_MG = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale mgh. */ goog.i18n.DateTimePatterns_mgh = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale mgh_MZ. */ goog.i18n.DateTimePatterns_mgh_MZ = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale mk. */ goog.i18n.DateTimePatterns_mk = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale mk_MK. */ goog.i18n.DateTimePatterns_mk_MK = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ml_IN. */ goog.i18n.DateTimePatterns_ml_IN = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'd-M', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale mr_IN. */ goog.i18n.DateTimePatterns_mr_IN = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd-M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ms_BN. */ goog.i18n.DateTimePatterns_ms_BN = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd-M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ms_MY. */ goog.i18n.DateTimePatterns_ms_MY = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd-M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale mt_MT. */ goog.i18n.DateTimePatterns_mt_MT = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale mua. */ goog.i18n.DateTimePatterns_mua = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale mua_CM. */ goog.i18n.DateTimePatterns_mua_CM = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale my. */ goog.i18n.DateTimePatterns_my = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale my_MM. */ goog.i18n.DateTimePatterns_my_MM = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale naq. */ goog.i18n.DateTimePatterns_naq = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale naq_NA. */ goog.i18n.DateTimePatterns_naq_NA = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale nb. */ goog.i18n.DateTimePatterns_nb = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd. MMM', MONTH_DAY_FULL: 'dd. MMMM', MONTH_DAY_SHORT: 'd.M.', MONTH_DAY_MEDIUM: 'd. MMMM', DAY_ABBR: 'd.' }; /** * Extended set of localized date/time patterns for locale nb_NO. */ goog.i18n.DateTimePatterns_nb_NO = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd. MMM', MONTH_DAY_FULL: 'dd. MMMM', MONTH_DAY_SHORT: 'd.M.', MONTH_DAY_MEDIUM: 'd. MMMM', DAY_ABBR: 'd.' }; /** * Extended set of localized date/time patterns for locale nd. */ goog.i18n.DateTimePatterns_nd = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale nd_ZW. */ goog.i18n.DateTimePatterns_nd_ZW = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ne. */ goog.i18n.DateTimePatterns_ne = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ne_IN. */ goog.i18n.DateTimePatterns_ne_IN = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ne_NP. */ goog.i18n.DateTimePatterns_ne_NP = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale nl_AW. */ goog.i18n.DateTimePatterns_nl_AW = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd-M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale nl_BE. */ goog.i18n.DateTimePatterns_nl_BE = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd-M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale nl_NL. */ goog.i18n.DateTimePatterns_nl_NL = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd-M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale nmg. */ goog.i18n.DateTimePatterns_nmg = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale nmg_CM. */ goog.i18n.DateTimePatterns_nmg_CM = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale nn. */ goog.i18n.DateTimePatterns_nn = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd. MMM', MONTH_DAY_FULL: 'dd. MMMM', MONTH_DAY_SHORT: 'd.M', MONTH_DAY_MEDIUM: 'd. MMMM', DAY_ABBR: 'd.' }; /** * Extended set of localized date/time patterns for locale nn_NO. */ goog.i18n.DateTimePatterns_nn_NO = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd. MMM', MONTH_DAY_FULL: 'dd. MMMM', MONTH_DAY_SHORT: 'd.M', MONTH_DAY_MEDIUM: 'd. MMMM', DAY_ABBR: 'd.' }; /** * Extended set of localized date/time patterns for locale nus. */ goog.i18n.DateTimePatterns_nus = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale nus_SD. */ goog.i18n.DateTimePatterns_nus_SD = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale nyn. */ goog.i18n.DateTimePatterns_nyn = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale nyn_UG. */ goog.i18n.DateTimePatterns_nyn_UG = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale om. */ goog.i18n.DateTimePatterns_om = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM y', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale om_ET. */ goog.i18n.DateTimePatterns_om_ET = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM y', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale om_KE. */ goog.i18n.DateTimePatterns_om_KE = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM y', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale or_IN. */ goog.i18n.DateTimePatterns_or_IN = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM y', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'd-M', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale pa. */ goog.i18n.DateTimePatterns_pa = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale pa_Arab. */ goog.i18n.DateTimePatterns_pa_Arab = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale pa_Arab_PK. */ goog.i18n.DateTimePatterns_pa_Arab_PK = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale pa_Guru. */ goog.i18n.DateTimePatterns_pa_Guru = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale pa_Guru_IN. */ goog.i18n.DateTimePatterns_pa_Guru_IN = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale pl_PL. */ goog.i18n.DateTimePatterns_pl_PL = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'LLL y', YEAR_MONTH_FULL: 'LLLL yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd.M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ps. */ goog.i18n.DateTimePatterns_ps = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ps_AF. */ goog.i18n.DateTimePatterns_ps_AF = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale pt_AO. */ goog.i18n.DateTimePatterns_pt_AO = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MM/y', YEAR_MONTH_FULL: 'MM/yyyy', MONTH_DAY_ABBR: 'd/MM', MONTH_DAY_FULL: 'dd/MM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd/MM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale pt_GW. */ goog.i18n.DateTimePatterns_pt_GW = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MM/y', YEAR_MONTH_FULL: 'MM/yyyy', MONTH_DAY_ABBR: 'd/MM', MONTH_DAY_FULL: 'dd/MM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd/MM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale pt_MZ. */ goog.i18n.DateTimePatterns_pt_MZ = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MM/y', YEAR_MONTH_FULL: 'MM/yyyy', MONTH_DAY_ABBR: 'd/MM', MONTH_DAY_FULL: 'dd/MM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd/MM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale pt_ST. */ goog.i18n.DateTimePatterns_pt_ST = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MM/y', YEAR_MONTH_FULL: 'MM/yyyy', MONTH_DAY_ABBR: 'd/MM', MONTH_DAY_FULL: 'dd/MM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd/MM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale rm. */ goog.i18n.DateTimePatterns_rm = { YEAR_FULL: 'y', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd. MMM', MONTH_DAY_FULL: 'dd. MMMM', MONTH_DAY_SHORT: 'd.M.', MONTH_DAY_MEDIUM: 'd. MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale rm_CH. */ goog.i18n.DateTimePatterns_rm_CH = { YEAR_FULL: 'y', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd. MMM', MONTH_DAY_FULL: 'dd. MMMM', MONTH_DAY_SHORT: 'd.M.', MONTH_DAY_MEDIUM: 'd. MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale rn. */ goog.i18n.DateTimePatterns_rn = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale rn_BI. */ goog.i18n.DateTimePatterns_rn_BI = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ro_MD. */ goog.i18n.DateTimePatterns_ro_MD = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd.M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ro_RO. */ goog.i18n.DateTimePatterns_ro_RO = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd.M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale rof. */ goog.i18n.DateTimePatterns_rof = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale rof_TZ. */ goog.i18n.DateTimePatterns_rof_TZ = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ru_MD. */ goog.i18n.DateTimePatterns_ru_MD = { YEAR_FULL: 'y', YEAR_MONTH_ABBR: 'LLL y', YEAR_MONTH_FULL: 'LLLL yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd.M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ru_RU. */ goog.i18n.DateTimePatterns_ru_RU = { YEAR_FULL: 'y', YEAR_MONTH_ABBR: 'LLL y', YEAR_MONTH_FULL: 'LLLL yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd.M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ru_UA. */ goog.i18n.DateTimePatterns_ru_UA = { YEAR_FULL: 'y', YEAR_MONTH_ABBR: 'LLL y', YEAR_MONTH_FULL: 'LLLL yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd.M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale rw. */ goog.i18n.DateTimePatterns_rw = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale rw_RW. */ goog.i18n.DateTimePatterns_rw_RW = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale rwk. */ goog.i18n.DateTimePatterns_rwk = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale rwk_TZ. */ goog.i18n.DateTimePatterns_rwk_TZ = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale saq. */ goog.i18n.DateTimePatterns_saq = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale saq_KE. */ goog.i18n.DateTimePatterns_saq_KE = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale sbp. */ goog.i18n.DateTimePatterns_sbp = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale sbp_TZ. */ goog.i18n.DateTimePatterns_sbp_TZ = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale seh. */ goog.i18n.DateTimePatterns_seh = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM \'de\' y', YEAR_MONTH_FULL: 'MMMM \'de\' yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale seh_MZ. */ goog.i18n.DateTimePatterns_seh_MZ = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM \'de\' y', YEAR_MONTH_FULL: 'MMMM \'de\' yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ses. */ goog.i18n.DateTimePatterns_ses = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ses_ML. */ goog.i18n.DateTimePatterns_ses_ML = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale sg. */ goog.i18n.DateTimePatterns_sg = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale sg_CF. */ goog.i18n.DateTimePatterns_sg_CF = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale shi. */ goog.i18n.DateTimePatterns_shi = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale shi_Latn. */ goog.i18n.DateTimePatterns_shi_Latn = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale shi_Latn_MA. */ goog.i18n.DateTimePatterns_shi_Latn_MA = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale shi_Tfng. */ goog.i18n.DateTimePatterns_shi_Tfng = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale shi_Tfng_MA. */ goog.i18n.DateTimePatterns_shi_Tfng_MA = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale si. */ goog.i18n.DateTimePatterns_si = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale si_LK. */ goog.i18n.DateTimePatterns_si_LK = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale sk_SK. */ goog.i18n.DateTimePatterns_sk_SK = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'LLL y', YEAR_MONTH_FULL: 'LLLL yyyy', MONTH_DAY_ABBR: 'd. MMM', MONTH_DAY_FULL: 'dd. MMMM', MONTH_DAY_SHORT: 'd.M.', MONTH_DAY_MEDIUM: 'd. MMMM', DAY_ABBR: 'd.' }; /** * Extended set of localized date/time patterns for locale sl_SI. */ goog.i18n.DateTimePatterns_sl_SI = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd. MMM', MONTH_DAY_FULL: 'dd. MMMM', MONTH_DAY_SHORT: 'd. M.', MONTH_DAY_MEDIUM: 'd. MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale sn. */ goog.i18n.DateTimePatterns_sn = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale sn_ZW. */ goog.i18n.DateTimePatterns_sn_ZW = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale so. */ goog.i18n.DateTimePatterns_so = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale so_DJ. */ goog.i18n.DateTimePatterns_so_DJ = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale so_ET. */ goog.i18n.DateTimePatterns_so_ET = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale so_KE. */ goog.i18n.DateTimePatterns_so_KE = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale so_SO. */ goog.i18n.DateTimePatterns_so_SO = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale sq_AL. */ goog.i18n.DateTimePatterns_sq_AL = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale sr_Cyrl. */ goog.i18n.DateTimePatterns_sr_Cyrl = { YEAR_FULL: 'y.', YEAR_MONTH_ABBR: 'MMM. y', YEAR_MONTH_FULL: 'MMMM. yyyy', MONTH_DAY_ABBR: 'MMM d.', MONTH_DAY_FULL: 'MMMM dd.', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d.', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale sr_Cyrl_BA. */ goog.i18n.DateTimePatterns_sr_Cyrl_BA = { YEAR_FULL: 'y.', YEAR_MONTH_ABBR: 'MMM. y', YEAR_MONTH_FULL: 'MMMM. yyyy', MONTH_DAY_ABBR: 'MMM d.', MONTH_DAY_FULL: 'MMMM dd.', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d.', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale sr_Cyrl_ME. */ goog.i18n.DateTimePatterns_sr_Cyrl_ME = { YEAR_FULL: 'y.', YEAR_MONTH_ABBR: 'MMM. y', YEAR_MONTH_FULL: 'MMMM. yyyy', MONTH_DAY_ABBR: 'MMM d.', MONTH_DAY_FULL: 'MMMM dd.', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d.', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale sr_Cyrl_RS. */ goog.i18n.DateTimePatterns_sr_Cyrl_RS = { YEAR_FULL: 'y.', YEAR_MONTH_ABBR: 'MMM. y', YEAR_MONTH_FULL: 'MMMM. yyyy', MONTH_DAY_ABBR: 'MMM d.', MONTH_DAY_FULL: 'MMMM dd.', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d.', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale sr_Latn. */ goog.i18n.DateTimePatterns_sr_Latn = { YEAR_FULL: 'y.', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'dd. MMM', MONTH_DAY_FULL: 'dd. MMMM', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'dd. MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale sr_Latn_BA. */ goog.i18n.DateTimePatterns_sr_Latn_BA = { YEAR_FULL: 'y.', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'dd. MMM', MONTH_DAY_FULL: 'dd. MMMM', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'dd. MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale sr_Latn_ME. */ goog.i18n.DateTimePatterns_sr_Latn_ME = { YEAR_FULL: 'y.', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'dd. MMM', MONTH_DAY_FULL: 'dd. MMMM', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'dd. MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale sr_Latn_RS. */ goog.i18n.DateTimePatterns_sr_Latn_RS = { YEAR_FULL: 'y.', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'dd. MMM', MONTH_DAY_FULL: 'dd. MMMM', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'dd. MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale sv_FI. */ goog.i18n.DateTimePatterns_sv_FI = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd:\'e\' MMM', MONTH_DAY_FULL: 'dd:\'e\' MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd:\'e\' MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale sv_SE. */ goog.i18n.DateTimePatterns_sv_SE = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd:\'e\' MMM', MONTH_DAY_FULL: 'dd:\'e\' MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd:\'e\' MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale sw_KE. */ goog.i18n.DateTimePatterns_sw_KE = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale sw_TZ. */ goog.i18n.DateTimePatterns_sw_TZ = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale swc. */ goog.i18n.DateTimePatterns_swc = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale swc_CD. */ goog.i18n.DateTimePatterns_swc_CD = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ta_IN. */ goog.i18n.DateTimePatterns_ta_IN = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd-M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ta_LK. */ goog.i18n.DateTimePatterns_ta_LK = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd-M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale te_IN. */ goog.i18n.DateTimePatterns_te_IN = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd-M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale teo. */ goog.i18n.DateTimePatterns_teo = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale teo_KE. */ goog.i18n.DateTimePatterns_teo_KE = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale teo_UG. */ goog.i18n.DateTimePatterns_teo_UG = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale th_TH. */ goog.i18n.DateTimePatterns_th_TH = { YEAR_FULL: 'G yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ti. */ goog.i18n.DateTimePatterns_ti = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM y', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ti_ER. */ goog.i18n.DateTimePatterns_ti_ER = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM y', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ti_ET. */ goog.i18n.DateTimePatterns_ti_ET = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM y', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale to. */ goog.i18n.DateTimePatterns_to = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale to_TO. */ goog.i18n.DateTimePatterns_to_TO = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale tr_TR. */ goog.i18n.DateTimePatterns_tr_TR = { YEAR_FULL: 'y', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'dd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'dd/MM', MONTH_DAY_MEDIUM: 'dd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale twq. */ goog.i18n.DateTimePatterns_twq = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale twq_NE. */ goog.i18n.DateTimePatterns_twq_NE = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale tzm. */ goog.i18n.DateTimePatterns_tzm = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale tzm_Latn. */ goog.i18n.DateTimePatterns_tzm_Latn = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale tzm_Latn_MA. */ goog.i18n.DateTimePatterns_tzm_Latn_MA = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale uk_UA. */ goog.i18n.DateTimePatterns_uk_UA = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'LLL y', YEAR_MONTH_FULL: 'LLLL yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd.M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ur_IN. */ goog.i18n.DateTimePatterns_ur_IN = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale ur_PK. */ goog.i18n.DateTimePatterns_ur_PK = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale uz. */ goog.i18n.DateTimePatterns_uz = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale uz_Arab. */ goog.i18n.DateTimePatterns_uz_Arab = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale uz_Arab_AF. */ goog.i18n.DateTimePatterns_uz_Arab_AF = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale uz_Cyrl. */ goog.i18n.DateTimePatterns_uz_Cyrl = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale uz_Cyrl_UZ. */ goog.i18n.DateTimePatterns_uz_Cyrl_UZ = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale uz_Latn. */ goog.i18n.DateTimePatterns_uz_Latn = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale uz_Latn_UZ. */ goog.i18n.DateTimePatterns_uz_Latn_UZ = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'y MMM', YEAR_MONTH_FULL: 'yyyy MMMM', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale vai. */ goog.i18n.DateTimePatterns_vai = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM yyyy', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale vai_Latn. */ goog.i18n.DateTimePatterns_vai_Latn = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale vai_Latn_LR. */ goog.i18n.DateTimePatterns_vai_Latn_LR = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale vai_Vaii. */ goog.i18n.DateTimePatterns_vai_Vaii = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM yyyy', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale vai_Vaii_LR. */ goog.i18n.DateTimePatterns_vai_Vaii_LR = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM yyyy', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale vi_VN. */ goog.i18n.DateTimePatterns_vi_VN = { YEAR_FULL: 'y', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd-M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: '\'Ngày\' d' }; /** * Extended set of localized date/time patterns for locale vun. */ goog.i18n.DateTimePatterns_vun = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale vun_TZ. */ goog.i18n.DateTimePatterns_vun_TZ = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale xog. */ goog.i18n.DateTimePatterns_xog = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale xog_UG. */ goog.i18n.DateTimePatterns_xog_UG = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale yav. */ goog.i18n.DateTimePatterns_yav = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale yav_CM. */ goog.i18n.DateTimePatterns_yav_CM = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'd MMM', MONTH_DAY_FULL: 'dd MMMM', MONTH_DAY_SHORT: 'd/M', MONTH_DAY_MEDIUM: 'd MMMM', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale yo. */ goog.i18n.DateTimePatterns_yo = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale yo_NG. */ goog.i18n.DateTimePatterns_yo_NG = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** * Extended set of localized date/time patterns for locale zh_Hans. */ goog.i18n.DateTimePatterns_zh_Hans = { YEAR_FULL: 'y年', YEAR_MONTH_ABBR: 'y年M月', YEAR_MONTH_FULL: 'yyyy年M月', MONTH_DAY_ABBR: 'M月d日', MONTH_DAY_FULL: 'M月dd日', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'M月d日', DAY_ABBR: 'd日' }; /** * Extended set of localized date/time patterns for locale zh_Hans_CN. */ goog.i18n.DateTimePatterns_zh_Hans_CN = { YEAR_FULL: 'y年', YEAR_MONTH_ABBR: 'y年M月', YEAR_MONTH_FULL: 'yyyy年M月', MONTH_DAY_ABBR: 'M月d日', MONTH_DAY_FULL: 'M月dd日', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'M月d日', DAY_ABBR: 'd日' }; /** * Extended set of localized date/time patterns for locale zh_Hans_HK. */ goog.i18n.DateTimePatterns_zh_Hans_HK = { YEAR_FULL: 'y年', YEAR_MONTH_ABBR: 'y年M月', YEAR_MONTH_FULL: 'yyyy年M月', MONTH_DAY_ABBR: 'M月d日', MONTH_DAY_FULL: 'M月dd日', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'M月d日', DAY_ABBR: 'd日' }; /** * Extended set of localized date/time patterns for locale zh_Hans_MO. */ goog.i18n.DateTimePatterns_zh_Hans_MO = { YEAR_FULL: 'yyyy年', YEAR_MONTH_ABBR: 'y年M月', YEAR_MONTH_FULL: 'yyyy年M月', MONTH_DAY_ABBR: 'M月d日', MONTH_DAY_FULL: 'M月d日', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'M月d日', DAY_ABBR: 'd日' }; /** * Extended set of localized date/time patterns for locale zh_Hans_SG. */ goog.i18n.DateTimePatterns_zh_Hans_SG = { YEAR_FULL: 'yyyy年', YEAR_MONTH_ABBR: 'y年M月', YEAR_MONTH_FULL: 'yyyy年M月', MONTH_DAY_ABBR: 'M月d日', MONTH_DAY_FULL: 'M月d日', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'M月d日', DAY_ABBR: 'd日' }; /** * Extended set of localized date/time patterns for locale zh_Hant. */ goog.i18n.DateTimePatterns_zh_Hant = { YEAR_FULL: 'y年', YEAR_MONTH_ABBR: 'y年M月', YEAR_MONTH_FULL: 'yyyy年M月', MONTH_DAY_ABBR: 'M月d日', MONTH_DAY_FULL: 'M月dd日', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'M月d日', DAY_ABBR: 'd日' }; /** * Extended set of localized date/time patterns for locale zh_Hant_HK. */ goog.i18n.DateTimePatterns_zh_Hant_HK = { YEAR_FULL: 'y年', YEAR_MONTH_ABBR: 'y年M月', YEAR_MONTH_FULL: 'yyyy年M月', MONTH_DAY_ABBR: 'M月d日', MONTH_DAY_FULL: 'M月dd日', MONTH_DAY_SHORT: 'M-d', MONTH_DAY_MEDIUM: 'M月d日', DAY_ABBR: 'd日' }; /** * Extended set of localized date/time patterns for locale zh_Hant_MO. */ goog.i18n.DateTimePatterns_zh_Hant_MO = { YEAR_FULL: 'y年', YEAR_MONTH_ABBR: 'y年M月', YEAR_MONTH_FULL: 'yyyy年M月', MONTH_DAY_ABBR: 'M月d日', MONTH_DAY_FULL: 'M月dd日', MONTH_DAY_SHORT: 'd-M', MONTH_DAY_MEDIUM: 'M月d日', DAY_ABBR: 'd日' }; /** * Extended set of localized date/time patterns for locale zh_Hant_TW. */ goog.i18n.DateTimePatterns_zh_Hant_TW = { YEAR_FULL: 'y年', YEAR_MONTH_ABBR: 'y年M月', YEAR_MONTH_FULL: 'yyyy年M月', MONTH_DAY_ABBR: 'M月d日', MONTH_DAY_FULL: 'M月dd日', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'M月d日', DAY_ABBR: 'd日' }; /** * Extended set of localized date/time patterns for locale zu_ZA. */ goog.i18n.DateTimePatterns_zu_ZA = { YEAR_FULL: 'yyyy', YEAR_MONTH_ABBR: 'MMM y', YEAR_MONTH_FULL: 'MMMM yyyy', MONTH_DAY_ABBR: 'MMM d', MONTH_DAY_FULL: 'MMMM dd', MONTH_DAY_SHORT: 'M/d', MONTH_DAY_MEDIUM: 'MMMM d', DAY_ABBR: 'd' }; /** /* Select date/time pattern by locale. */ if (goog.LOCALE == 'af_NA' || goog.LOCALE == 'af-NA') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_af_NA; } if (goog.LOCALE == 'af_ZA' || goog.LOCALE == 'af-ZA') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_af_ZA; } if (goog.LOCALE == 'agq') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_agq; } if (goog.LOCALE == 'agq_CM' || goog.LOCALE == 'agq-CM') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_agq_CM; } if (goog.LOCALE == 'ak') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ak; } if (goog.LOCALE == 'ak_GH' || goog.LOCALE == 'ak-GH') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ak_GH; } if (goog.LOCALE == 'am_ET' || goog.LOCALE == 'am-ET') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_am_ET; } if (goog.LOCALE == 'ar_AE' || goog.LOCALE == 'ar-AE') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ar_AE; } if (goog.LOCALE == 'ar_BH' || goog.LOCALE == 'ar-BH') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ar_BH; } if (goog.LOCALE == 'ar_DZ' || goog.LOCALE == 'ar-DZ') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ar_DZ; } if (goog.LOCALE == 'ar_EG' || goog.LOCALE == 'ar-EG') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ar_EG; } if (goog.LOCALE == 'ar_IQ' || goog.LOCALE == 'ar-IQ') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ar_IQ; } if (goog.LOCALE == 'ar_JO' || goog.LOCALE == 'ar-JO') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ar_JO; } if (goog.LOCALE == 'ar_KW' || goog.LOCALE == 'ar-KW') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ar_KW; } if (goog.LOCALE == 'ar_LB' || goog.LOCALE == 'ar-LB') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ar_LB; } if (goog.LOCALE == 'ar_LY' || goog.LOCALE == 'ar-LY') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ar_LY; } if (goog.LOCALE == 'ar_MA' || goog.LOCALE == 'ar-MA') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ar_MA; } if (goog.LOCALE == 'ar_OM' || goog.LOCALE == 'ar-OM') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ar_OM; } if (goog.LOCALE == 'ar_QA' || goog.LOCALE == 'ar-QA') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ar_QA; } if (goog.LOCALE == 'ar_SA' || goog.LOCALE == 'ar-SA') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ar_SA; } if (goog.LOCALE == 'ar_SD' || goog.LOCALE == 'ar-SD') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ar_SD; } if (goog.LOCALE == 'ar_SY' || goog.LOCALE == 'ar-SY') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ar_SY; } if (goog.LOCALE == 'ar_TN' || goog.LOCALE == 'ar-TN') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ar_TN; } if (goog.LOCALE == 'ar_YE' || goog.LOCALE == 'ar-YE') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ar_YE; } if (goog.LOCALE == 'as') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_as; } if (goog.LOCALE == 'as_IN' || goog.LOCALE == 'as-IN') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_as_IN; } if (goog.LOCALE == 'asa') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_asa; } if (goog.LOCALE == 'asa_TZ' || goog.LOCALE == 'asa-TZ') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_asa_TZ; } if (goog.LOCALE == 'az') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_az; } if (goog.LOCALE == 'az_Cyrl' || goog.LOCALE == 'az-Cyrl') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_az_Cyrl; } if (goog.LOCALE == 'az_Cyrl_AZ' || goog.LOCALE == 'az-Cyrl-AZ') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_az_Cyrl_AZ; } if (goog.LOCALE == 'az_Latn' || goog.LOCALE == 'az-Latn') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_az_Latn; } if (goog.LOCALE == 'az_Latn_AZ' || goog.LOCALE == 'az-Latn-AZ') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_az_Latn_AZ; } if (goog.LOCALE == 'bas') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_bas; } if (goog.LOCALE == 'bas_CM' || goog.LOCALE == 'bas-CM') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_bas_CM; } if (goog.LOCALE == 'be') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_be; } if (goog.LOCALE == 'be_BY' || goog.LOCALE == 'be-BY') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_be_BY; } if (goog.LOCALE == 'bem') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_bem; } if (goog.LOCALE == 'bem_ZM' || goog.LOCALE == 'bem-ZM') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_bem_ZM; } if (goog.LOCALE == 'bez') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_bez; } if (goog.LOCALE == 'bez_TZ' || goog.LOCALE == 'bez-TZ') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_bez_TZ; } if (goog.LOCALE == 'bg_BG' || goog.LOCALE == 'bg-BG') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_bg_BG; } if (goog.LOCALE == 'bm') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_bm; } if (goog.LOCALE == 'bm_ML' || goog.LOCALE == 'bm-ML') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_bm_ML; } if (goog.LOCALE == 'bn_BD' || goog.LOCALE == 'bn-BD') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_bn_BD; } if (goog.LOCALE == 'bn_IN' || goog.LOCALE == 'bn-IN') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_bn_IN; } if (goog.LOCALE == 'bo') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_bo; } if (goog.LOCALE == 'bo_CN' || goog.LOCALE == 'bo-CN') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_bo_CN; } if (goog.LOCALE == 'bo_IN' || goog.LOCALE == 'bo-IN') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_bo_IN; } if (goog.LOCALE == 'br') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_br; } if (goog.LOCALE == 'br_FR' || goog.LOCALE == 'br-FR') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_br_FR; } if (goog.LOCALE == 'brx') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_brx; } if (goog.LOCALE == 'brx_IN' || goog.LOCALE == 'brx-IN') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_brx_IN; } if (goog.LOCALE == 'bs') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_bs; } if (goog.LOCALE == 'bs_BA' || goog.LOCALE == 'bs-BA') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_bs_BA; } if (goog.LOCALE == 'ca_ES' || goog.LOCALE == 'ca-ES') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ca_ES; } if (goog.LOCALE == 'cgg') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_cgg; } if (goog.LOCALE == 'cgg_UG' || goog.LOCALE == 'cgg-UG') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_cgg_UG; } if (goog.LOCALE == 'chr_US' || goog.LOCALE == 'chr-US') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_chr_US; } if (goog.LOCALE == 'cs_CZ' || goog.LOCALE == 'cs-CZ') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_cs_CZ; } if (goog.LOCALE == 'cy_GB' || goog.LOCALE == 'cy-GB') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_cy_GB; } if (goog.LOCALE == 'da_DK' || goog.LOCALE == 'da-DK') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_da_DK; } if (goog.LOCALE == 'dav') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_dav; } if (goog.LOCALE == 'dav_KE' || goog.LOCALE == 'dav-KE') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_dav_KE; } if (goog.LOCALE == 'de_BE' || goog.LOCALE == 'de-BE') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_de_BE; } if (goog.LOCALE == 'de_DE' || goog.LOCALE == 'de-DE') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_de_DE; } if (goog.LOCALE == 'de_LI' || goog.LOCALE == 'de-LI') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_de_LI; } if (goog.LOCALE == 'de_LU' || goog.LOCALE == 'de-LU') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_de_LU; } if (goog.LOCALE == 'dje') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_dje; } if (goog.LOCALE == 'dje_NE' || goog.LOCALE == 'dje-NE') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_dje_NE; } if (goog.LOCALE == 'dua') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_dua; } if (goog.LOCALE == 'dua_CM' || goog.LOCALE == 'dua-CM') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_dua_CM; } if (goog.LOCALE == 'dyo') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_dyo; } if (goog.LOCALE == 'dyo_SN' || goog.LOCALE == 'dyo-SN') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_dyo_SN; } if (goog.LOCALE == 'ebu') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ebu; } if (goog.LOCALE == 'ebu_KE' || goog.LOCALE == 'ebu-KE') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ebu_KE; } if (goog.LOCALE == 'ee') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ee; } if (goog.LOCALE == 'ee_GH' || goog.LOCALE == 'ee-GH') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ee_GH; } if (goog.LOCALE == 'ee_TG' || goog.LOCALE == 'ee-TG') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ee_TG; } if (goog.LOCALE == 'el_CY' || goog.LOCALE == 'el-CY') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_el_CY; } if (goog.LOCALE == 'el_GR' || goog.LOCALE == 'el-GR') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_el_GR; } if (goog.LOCALE == 'en_AS' || goog.LOCALE == 'en-AS') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_en_AS; } if (goog.LOCALE == 'en_BB' || goog.LOCALE == 'en-BB') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_en_BB; } if (goog.LOCALE == 'en_BE' || goog.LOCALE == 'en-BE') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_en_BE; } if (goog.LOCALE == 'en_BM' || goog.LOCALE == 'en-BM') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_en_BM; } if (goog.LOCALE == 'en_BW' || goog.LOCALE == 'en-BW') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_en_BW; } if (goog.LOCALE == 'en_BZ' || goog.LOCALE == 'en-BZ') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_en_BZ; } if (goog.LOCALE == 'en_CA' || goog.LOCALE == 'en-CA') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_en_CA; } if (goog.LOCALE == 'en_GU' || goog.LOCALE == 'en-GU') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_en_GU; } if (goog.LOCALE == 'en_GY' || goog.LOCALE == 'en-GY') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_en_GY; } if (goog.LOCALE == 'en_HK' || goog.LOCALE == 'en-HK') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_en_HK; } if (goog.LOCALE == 'en_JM' || goog.LOCALE == 'en-JM') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_en_JM; } if (goog.LOCALE == 'en_MH' || goog.LOCALE == 'en-MH') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_en_MH; } if (goog.LOCALE == 'en_MP' || goog.LOCALE == 'en-MP') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_en_MP; } if (goog.LOCALE == 'en_MT' || goog.LOCALE == 'en-MT') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_en_MT; } if (goog.LOCALE == 'en_MU' || goog.LOCALE == 'en-MU') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_en_MU; } if (goog.LOCALE == 'en_NA' || goog.LOCALE == 'en-NA') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_en_NA; } if (goog.LOCALE == 'en_NZ' || goog.LOCALE == 'en-NZ') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_en_NZ; } if (goog.LOCALE == 'en_PH' || goog.LOCALE == 'en-PH') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_en_PH; } if (goog.LOCALE == 'en_PK' || goog.LOCALE == 'en-PK') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_en_PK; } if (goog.LOCALE == 'en_TT' || goog.LOCALE == 'en-TT') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_en_TT; } if (goog.LOCALE == 'en_UM' || goog.LOCALE == 'en-UM') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_en_UM; } if (goog.LOCALE == 'en_US_POSIX' || goog.LOCALE == 'en-US-POSIX') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_en_US_POSIX; } if (goog.LOCALE == 'en_VI' || goog.LOCALE == 'en-VI') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_en_VI; } if (goog.LOCALE == 'en_ZW' || goog.LOCALE == 'en-ZW') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_en_ZW; } if (goog.LOCALE == 'eo') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_eo; } if (goog.LOCALE == 'es_AR' || goog.LOCALE == 'es-AR') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_es_AR; } if (goog.LOCALE == 'es_BO' || goog.LOCALE == 'es-BO') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_es_BO; } if (goog.LOCALE == 'es_CL' || goog.LOCALE == 'es-CL') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_es_CL; } if (goog.LOCALE == 'es_CO' || goog.LOCALE == 'es-CO') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_es_CO; } if (goog.LOCALE == 'es_CR' || goog.LOCALE == 'es-CR') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_es_CR; } if (goog.LOCALE == 'es_DO' || goog.LOCALE == 'es-DO') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_es_DO; } if (goog.LOCALE == 'es_EC' || goog.LOCALE == 'es-EC') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_es_EC; } if (goog.LOCALE == 'es_ES' || goog.LOCALE == 'es-ES') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_es_ES; } if (goog.LOCALE == 'es_GQ' || goog.LOCALE == 'es-GQ') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_es_GQ; } if (goog.LOCALE == 'es_GT' || goog.LOCALE == 'es-GT') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_es_GT; } if (goog.LOCALE == 'es_HN' || goog.LOCALE == 'es-HN') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_es_HN; } if (goog.LOCALE == 'es_MX' || goog.LOCALE == 'es-MX') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_es_MX; } if (goog.LOCALE == 'es_NI' || goog.LOCALE == 'es-NI') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_es_NI; } if (goog.LOCALE == 'es_PA' || goog.LOCALE == 'es-PA') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_es_PA; } if (goog.LOCALE == 'es_PE' || goog.LOCALE == 'es-PE') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_es_PE; } if (goog.LOCALE == 'es_PR' || goog.LOCALE == 'es-PR') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_es_PR; } if (goog.LOCALE == 'es_PY' || goog.LOCALE == 'es-PY') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_es_PY; } if (goog.LOCALE == 'es_SV' || goog.LOCALE == 'es-SV') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_es_SV; } if (goog.LOCALE == 'es_US' || goog.LOCALE == 'es-US') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_es_US; } if (goog.LOCALE == 'es_UY' || goog.LOCALE == 'es-UY') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_es_UY; } if (goog.LOCALE == 'es_VE' || goog.LOCALE == 'es-VE') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_es_VE; } if (goog.LOCALE == 'et_EE' || goog.LOCALE == 'et-EE') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_et_EE; } if (goog.LOCALE == 'eu_ES' || goog.LOCALE == 'eu-ES') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_eu_ES; } if (goog.LOCALE == 'ewo') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ewo; } if (goog.LOCALE == 'ewo_CM' || goog.LOCALE == 'ewo-CM') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ewo_CM; } if (goog.LOCALE == 'fa_AF' || goog.LOCALE == 'fa-AF') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_fa_AF; } if (goog.LOCALE == 'fa_IR' || goog.LOCALE == 'fa-IR') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_fa_IR; } if (goog.LOCALE == 'ff') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ff; } if (goog.LOCALE == 'ff_SN' || goog.LOCALE == 'ff-SN') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ff_SN; } if (goog.LOCALE == 'fi_FI' || goog.LOCALE == 'fi-FI') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_fi_FI; } if (goog.LOCALE == 'fil_PH' || goog.LOCALE == 'fil-PH') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_fil_PH; } if (goog.LOCALE == 'fo') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_fo; } if (goog.LOCALE == 'fo_FO' || goog.LOCALE == 'fo-FO') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_fo_FO; } if (goog.LOCALE == 'fr_BE' || goog.LOCALE == 'fr-BE') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_fr_BE; } if (goog.LOCALE == 'fr_BF' || goog.LOCALE == 'fr-BF') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_fr_BF; } if (goog.LOCALE == 'fr_BI' || goog.LOCALE == 'fr-BI') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_fr_BI; } if (goog.LOCALE == 'fr_BJ' || goog.LOCALE == 'fr-BJ') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_fr_BJ; } if (goog.LOCALE == 'fr_BL' || goog.LOCALE == 'fr-BL') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_fr_BL; } if (goog.LOCALE == 'fr_CD' || goog.LOCALE == 'fr-CD') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_fr_CD; } if (goog.LOCALE == 'fr_CF' || goog.LOCALE == 'fr-CF') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_fr_CF; } if (goog.LOCALE == 'fr_CG' || goog.LOCALE == 'fr-CG') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_fr_CG; } if (goog.LOCALE == 'fr_CH' || goog.LOCALE == 'fr-CH') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_fr_CH; } if (goog.LOCALE == 'fr_CI' || goog.LOCALE == 'fr-CI') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_fr_CI; } if (goog.LOCALE == 'fr_CM' || goog.LOCALE == 'fr-CM') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_fr_CM; } if (goog.LOCALE == 'fr_DJ' || goog.LOCALE == 'fr-DJ') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_fr_DJ; } if (goog.LOCALE == 'fr_FR' || goog.LOCALE == 'fr-FR') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_fr_FR; } if (goog.LOCALE == 'fr_GA' || goog.LOCALE == 'fr-GA') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_fr_GA; } if (goog.LOCALE == 'fr_GF' || goog.LOCALE == 'fr-GF') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_fr_GF; } if (goog.LOCALE == 'fr_GN' || goog.LOCALE == 'fr-GN') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_fr_GN; } if (goog.LOCALE == 'fr_GP' || goog.LOCALE == 'fr-GP') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_fr_GP; } if (goog.LOCALE == 'fr_GQ' || goog.LOCALE == 'fr-GQ') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_fr_GQ; } if (goog.LOCALE == 'fr_KM' || goog.LOCALE == 'fr-KM') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_fr_KM; } if (goog.LOCALE == 'fr_LU' || goog.LOCALE == 'fr-LU') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_fr_LU; } if (goog.LOCALE == 'fr_MC' || goog.LOCALE == 'fr-MC') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_fr_MC; } if (goog.LOCALE == 'fr_MF' || goog.LOCALE == 'fr-MF') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_fr_MF; } if (goog.LOCALE == 'fr_MG' || goog.LOCALE == 'fr-MG') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_fr_MG; } if (goog.LOCALE == 'fr_ML' || goog.LOCALE == 'fr-ML') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_fr_ML; } if (goog.LOCALE == 'fr_MQ' || goog.LOCALE == 'fr-MQ') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_fr_MQ; } if (goog.LOCALE == 'fr_NE' || goog.LOCALE == 'fr-NE') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_fr_NE; } if (goog.LOCALE == 'fr_RE' || goog.LOCALE == 'fr-RE') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_fr_RE; } if (goog.LOCALE == 'fr_RW' || goog.LOCALE == 'fr-RW') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_fr_RW; } if (goog.LOCALE == 'fr_SN' || goog.LOCALE == 'fr-SN') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_fr_SN; } if (goog.LOCALE == 'fr_TD' || goog.LOCALE == 'fr-TD') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_fr_TD; } if (goog.LOCALE == 'fr_TG' || goog.LOCALE == 'fr-TG') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_fr_TG; } if (goog.LOCALE == 'fr_YT' || goog.LOCALE == 'fr-YT') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_fr_YT; } if (goog.LOCALE == 'ga') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ga; } if (goog.LOCALE == 'ga_IE' || goog.LOCALE == 'ga-IE') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ga_IE; } if (goog.LOCALE == 'gl_ES' || goog.LOCALE == 'gl-ES') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_gl_ES; } if (goog.LOCALE == 'gsw_CH' || goog.LOCALE == 'gsw-CH') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_gsw_CH; } if (goog.LOCALE == 'gu_IN' || goog.LOCALE == 'gu-IN') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_gu_IN; } if (goog.LOCALE == 'guz') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_guz; } if (goog.LOCALE == 'guz_KE' || goog.LOCALE == 'guz-KE') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_guz_KE; } if (goog.LOCALE == 'gv') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_gv; } if (goog.LOCALE == 'gv_GB' || goog.LOCALE == 'gv-GB') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_gv_GB; } if (goog.LOCALE == 'ha') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ha; } if (goog.LOCALE == 'ha_Latn' || goog.LOCALE == 'ha-Latn') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ha_Latn; } if (goog.LOCALE == 'ha_Latn_GH' || goog.LOCALE == 'ha-Latn-GH') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ha_Latn_GH; } if (goog.LOCALE == 'ha_Latn_NE' || goog.LOCALE == 'ha-Latn-NE') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ha_Latn_NE; } if (goog.LOCALE == 'ha_Latn_NG' || goog.LOCALE == 'ha-Latn-NG') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ha_Latn_NG; } if (goog.LOCALE == 'haw_US' || goog.LOCALE == 'haw-US') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_haw_US; } if (goog.LOCALE == 'he_IL' || goog.LOCALE == 'he-IL') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_he_IL; } if (goog.LOCALE == 'hi_IN' || goog.LOCALE == 'hi-IN') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_hi_IN; } if (goog.LOCALE == 'hr_HR' || goog.LOCALE == 'hr-HR') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_hr_HR; } if (goog.LOCALE == 'hu_HU' || goog.LOCALE == 'hu-HU') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_hu_HU; } if (goog.LOCALE == 'hy') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_hy; } if (goog.LOCALE == 'hy_AM' || goog.LOCALE == 'hy-AM') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_hy_AM; } if (goog.LOCALE == 'id_ID' || goog.LOCALE == 'id-ID') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_id_ID; } if (goog.LOCALE == 'ig') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ig; } if (goog.LOCALE == 'ig_NG' || goog.LOCALE == 'ig-NG') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ig_NG; } if (goog.LOCALE == 'ii') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ii; } if (goog.LOCALE == 'ii_CN' || goog.LOCALE == 'ii-CN') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ii_CN; } if (goog.LOCALE == 'is_IS' || goog.LOCALE == 'is-IS') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_is_IS; } if (goog.LOCALE == 'it_CH' || goog.LOCALE == 'it-CH') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_it_CH; } if (goog.LOCALE == 'it_IT' || goog.LOCALE == 'it-IT') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_it_IT; } if (goog.LOCALE == 'ja_JP' || goog.LOCALE == 'ja-JP') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ja_JP; } if (goog.LOCALE == 'jmc') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_jmc; } if (goog.LOCALE == 'jmc_TZ' || goog.LOCALE == 'jmc-TZ') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_jmc_TZ; } if (goog.LOCALE == 'ka') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ka; } if (goog.LOCALE == 'ka_GE' || goog.LOCALE == 'ka-GE') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ka_GE; } if (goog.LOCALE == 'kab') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_kab; } if (goog.LOCALE == 'kab_DZ' || goog.LOCALE == 'kab-DZ') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_kab_DZ; } if (goog.LOCALE == 'kam') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_kam; } if (goog.LOCALE == 'kam_KE' || goog.LOCALE == 'kam-KE') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_kam_KE; } if (goog.LOCALE == 'kde') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_kde; } if (goog.LOCALE == 'kde_TZ' || goog.LOCALE == 'kde-TZ') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_kde_TZ; } if (goog.LOCALE == 'kea') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_kea; } if (goog.LOCALE == 'kea_CV' || goog.LOCALE == 'kea-CV') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_kea_CV; } if (goog.LOCALE == 'khq') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_khq; } if (goog.LOCALE == 'khq_ML' || goog.LOCALE == 'khq-ML') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_khq_ML; } if (goog.LOCALE == 'ki') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ki; } if (goog.LOCALE == 'ki_KE' || goog.LOCALE == 'ki-KE') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ki_KE; } if (goog.LOCALE == 'kk') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_kk; } if (goog.LOCALE == 'kk_Cyrl' || goog.LOCALE == 'kk-Cyrl') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_kk_Cyrl; } if (goog.LOCALE == 'kk_Cyrl_KZ' || goog.LOCALE == 'kk-Cyrl-KZ') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_kk_Cyrl_KZ; } if (goog.LOCALE == 'kl') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_kl; } if (goog.LOCALE == 'kl_GL' || goog.LOCALE == 'kl-GL') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_kl_GL; } if (goog.LOCALE == 'kln') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_kln; } if (goog.LOCALE == 'kln_KE' || goog.LOCALE == 'kln-KE') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_kln_KE; } if (goog.LOCALE == 'km') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_km; } if (goog.LOCALE == 'km_KH' || goog.LOCALE == 'km-KH') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_km_KH; } if (goog.LOCALE == 'kn_IN' || goog.LOCALE == 'kn-IN') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_kn_IN; } if (goog.LOCALE == 'ko_KR' || goog.LOCALE == 'ko-KR') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ko_KR; } if (goog.LOCALE == 'kok') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_kok; } if (goog.LOCALE == 'kok_IN' || goog.LOCALE == 'kok-IN') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_kok_IN; } if (goog.LOCALE == 'ksb') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ksb; } if (goog.LOCALE == 'ksb_TZ' || goog.LOCALE == 'ksb-TZ') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ksb_TZ; } if (goog.LOCALE == 'ksf') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ksf; } if (goog.LOCALE == 'ksf_CM' || goog.LOCALE == 'ksf-CM') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ksf_CM; } if (goog.LOCALE == 'kw') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_kw; } if (goog.LOCALE == 'kw_GB' || goog.LOCALE == 'kw-GB') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_kw_GB; } if (goog.LOCALE == 'lag') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_lag; } if (goog.LOCALE == 'lag_TZ' || goog.LOCALE == 'lag-TZ') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_lag_TZ; } if (goog.LOCALE == 'lg') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_lg; } if (goog.LOCALE == 'lg_UG' || goog.LOCALE == 'lg-UG') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_lg_UG; } if (goog.LOCALE == 'ln_CD' || goog.LOCALE == 'ln-CD') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ln_CD; } if (goog.LOCALE == 'ln_CG' || goog.LOCALE == 'ln-CG') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ln_CG; } if (goog.LOCALE == 'lt_LT' || goog.LOCALE == 'lt-LT') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_lt_LT; } if (goog.LOCALE == 'lu') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_lu; } if (goog.LOCALE == 'lu_CD' || goog.LOCALE == 'lu-CD') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_lu_CD; } if (goog.LOCALE == 'luo') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_luo; } if (goog.LOCALE == 'luo_KE' || goog.LOCALE == 'luo-KE') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_luo_KE; } if (goog.LOCALE == 'luy') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_luy; } if (goog.LOCALE == 'luy_KE' || goog.LOCALE == 'luy-KE') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_luy_KE; } if (goog.LOCALE == 'lv_LV' || goog.LOCALE == 'lv-LV') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_lv_LV; } if (goog.LOCALE == 'mas') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_mas; } if (goog.LOCALE == 'mas_KE' || goog.LOCALE == 'mas-KE') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_mas_KE; } if (goog.LOCALE == 'mas_TZ' || goog.LOCALE == 'mas-TZ') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_mas_TZ; } if (goog.LOCALE == 'mer') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_mer; } if (goog.LOCALE == 'mer_KE' || goog.LOCALE == 'mer-KE') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_mer_KE; } if (goog.LOCALE == 'mfe') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_mfe; } if (goog.LOCALE == 'mfe_MU' || goog.LOCALE == 'mfe-MU') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_mfe_MU; } if (goog.LOCALE == 'mg') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_mg; } if (goog.LOCALE == 'mg_MG' || goog.LOCALE == 'mg-MG') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_mg_MG; } if (goog.LOCALE == 'mgh') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_mgh; } if (goog.LOCALE == 'mgh_MZ' || goog.LOCALE == 'mgh-MZ') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_mgh_MZ; } if (goog.LOCALE == 'mk') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_mk; } if (goog.LOCALE == 'mk_MK' || goog.LOCALE == 'mk-MK') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_mk_MK; } if (goog.LOCALE == 'ml_IN' || goog.LOCALE == 'ml-IN') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ml_IN; } if (goog.LOCALE == 'mr_IN' || goog.LOCALE == 'mr-IN') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_mr_IN; } if (goog.LOCALE == 'ms_BN' || goog.LOCALE == 'ms-BN') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ms_BN; } if (goog.LOCALE == 'ms_MY' || goog.LOCALE == 'ms-MY') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ms_MY; } if (goog.LOCALE == 'mt_MT' || goog.LOCALE == 'mt-MT') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_mt_MT; } if (goog.LOCALE == 'mua') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_mua; } if (goog.LOCALE == 'mua_CM' || goog.LOCALE == 'mua-CM') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_mua_CM; } if (goog.LOCALE == 'my') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_my; } if (goog.LOCALE == 'my_MM' || goog.LOCALE == 'my-MM') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_my_MM; } if (goog.LOCALE == 'naq') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_naq; } if (goog.LOCALE == 'naq_NA' || goog.LOCALE == 'naq-NA') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_naq_NA; } if (goog.LOCALE == 'nb') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_nb; } if (goog.LOCALE == 'nb_NO' || goog.LOCALE == 'nb-NO') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_nb_NO; } if (goog.LOCALE == 'nd') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_nd; } if (goog.LOCALE == 'nd_ZW' || goog.LOCALE == 'nd-ZW') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_nd_ZW; } if (goog.LOCALE == 'ne') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ne; } if (goog.LOCALE == 'ne_IN' || goog.LOCALE == 'ne-IN') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ne_IN; } if (goog.LOCALE == 'ne_NP' || goog.LOCALE == 'ne-NP') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ne_NP; } if (goog.LOCALE == 'nl_AW' || goog.LOCALE == 'nl-AW') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_nl_AW; } if (goog.LOCALE == 'nl_BE' || goog.LOCALE == 'nl-BE') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_nl_BE; } if (goog.LOCALE == 'nl_NL' || goog.LOCALE == 'nl-NL') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_nl_NL; } if (goog.LOCALE == 'nmg') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_nmg; } if (goog.LOCALE == 'nmg_CM' || goog.LOCALE == 'nmg-CM') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_nmg_CM; } if (goog.LOCALE == 'nn') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_nn; } if (goog.LOCALE == 'nn_NO' || goog.LOCALE == 'nn-NO') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_nn_NO; } if (goog.LOCALE == 'nus') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_nus; } if (goog.LOCALE == 'nus_SD' || goog.LOCALE == 'nus-SD') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_nus_SD; } if (goog.LOCALE == 'nyn') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_nyn; } if (goog.LOCALE == 'nyn_UG' || goog.LOCALE == 'nyn-UG') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_nyn_UG; } if (goog.LOCALE == 'om') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_om; } if (goog.LOCALE == 'om_ET' || goog.LOCALE == 'om-ET') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_om_ET; } if (goog.LOCALE == 'om_KE' || goog.LOCALE == 'om-KE') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_om_KE; } if (goog.LOCALE == 'or_IN' || goog.LOCALE == 'or-IN') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_or_IN; } if (goog.LOCALE == 'pa') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_pa; } if (goog.LOCALE == 'pa_Arab' || goog.LOCALE == 'pa-Arab') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_pa_Arab; } if (goog.LOCALE == 'pa_Arab_PK' || goog.LOCALE == 'pa-Arab-PK') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_pa_Arab_PK; } if (goog.LOCALE == 'pa_Guru' || goog.LOCALE == 'pa-Guru') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_pa_Guru; } if (goog.LOCALE == 'pa_Guru_IN' || goog.LOCALE == 'pa-Guru-IN') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_pa_Guru_IN; } if (goog.LOCALE == 'pl_PL' || goog.LOCALE == 'pl-PL') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_pl_PL; } if (goog.LOCALE == 'ps') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ps; } if (goog.LOCALE == 'ps_AF' || goog.LOCALE == 'ps-AF') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ps_AF; } if (goog.LOCALE == 'pt_AO' || goog.LOCALE == 'pt-AO') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_pt_AO; } if (goog.LOCALE == 'pt_GW' || goog.LOCALE == 'pt-GW') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_pt_GW; } if (goog.LOCALE == 'pt_MZ' || goog.LOCALE == 'pt-MZ') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_pt_MZ; } if (goog.LOCALE == 'pt_ST' || goog.LOCALE == 'pt-ST') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_pt_ST; } if (goog.LOCALE == 'rm') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_rm; } if (goog.LOCALE == 'rm_CH' || goog.LOCALE == 'rm-CH') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_rm_CH; } if (goog.LOCALE == 'rn') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_rn; } if (goog.LOCALE == 'rn_BI' || goog.LOCALE == 'rn-BI') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_rn_BI; } if (goog.LOCALE == 'ro_MD' || goog.LOCALE == 'ro-MD') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ro_MD; } if (goog.LOCALE == 'ro_RO' || goog.LOCALE == 'ro-RO') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ro_RO; } if (goog.LOCALE == 'rof') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_rof; } if (goog.LOCALE == 'rof_TZ' || goog.LOCALE == 'rof-TZ') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_rof_TZ; } if (goog.LOCALE == 'ru_MD' || goog.LOCALE == 'ru-MD') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ru_MD; } if (goog.LOCALE == 'ru_RU' || goog.LOCALE == 'ru-RU') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ru_RU; } if (goog.LOCALE == 'ru_UA' || goog.LOCALE == 'ru-UA') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ru_UA; } if (goog.LOCALE == 'rw') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_rw; } if (goog.LOCALE == 'rw_RW' || goog.LOCALE == 'rw-RW') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_rw_RW; } if (goog.LOCALE == 'rwk') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_rwk; } if (goog.LOCALE == 'rwk_TZ' || goog.LOCALE == 'rwk-TZ') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_rwk_TZ; } if (goog.LOCALE == 'saq') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_saq; } if (goog.LOCALE == 'saq_KE' || goog.LOCALE == 'saq-KE') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_saq_KE; } if (goog.LOCALE == 'sbp') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_sbp; } if (goog.LOCALE == 'sbp_TZ' || goog.LOCALE == 'sbp-TZ') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_sbp_TZ; } if (goog.LOCALE == 'seh') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_seh; } if (goog.LOCALE == 'seh_MZ' || goog.LOCALE == 'seh-MZ') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_seh_MZ; } if (goog.LOCALE == 'ses') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ses; } if (goog.LOCALE == 'ses_ML' || goog.LOCALE == 'ses-ML') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ses_ML; } if (goog.LOCALE == 'sg') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_sg; } if (goog.LOCALE == 'sg_CF' || goog.LOCALE == 'sg-CF') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_sg_CF; } if (goog.LOCALE == 'shi') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_shi; } if (goog.LOCALE == 'shi_Latn' || goog.LOCALE == 'shi-Latn') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_shi_Latn; } if (goog.LOCALE == 'shi_Latn_MA' || goog.LOCALE == 'shi-Latn-MA') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_shi_Latn_MA; } if (goog.LOCALE == 'shi_Tfng' || goog.LOCALE == 'shi-Tfng') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_shi_Tfng; } if (goog.LOCALE == 'shi_Tfng_MA' || goog.LOCALE == 'shi-Tfng-MA') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_shi_Tfng_MA; } if (goog.LOCALE == 'si') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_si; } if (goog.LOCALE == 'si_LK' || goog.LOCALE == 'si-LK') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_si_LK; } if (goog.LOCALE == 'sk_SK' || goog.LOCALE == 'sk-SK') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_sk_SK; } if (goog.LOCALE == 'sl_SI' || goog.LOCALE == 'sl-SI') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_sl_SI; } if (goog.LOCALE == 'sn') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_sn; } if (goog.LOCALE == 'sn_ZW' || goog.LOCALE == 'sn-ZW') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_sn_ZW; } if (goog.LOCALE == 'so') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_so; } if (goog.LOCALE == 'so_DJ' || goog.LOCALE == 'so-DJ') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_so_DJ; } if (goog.LOCALE == 'so_ET' || goog.LOCALE == 'so-ET') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_so_ET; } if (goog.LOCALE == 'so_KE' || goog.LOCALE == 'so-KE') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_so_KE; } if (goog.LOCALE == 'so_SO' || goog.LOCALE == 'so-SO') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_so_SO; } if (goog.LOCALE == 'sq_AL' || goog.LOCALE == 'sq-AL') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_sq_AL; } if (goog.LOCALE == 'sr_Cyrl' || goog.LOCALE == 'sr-Cyrl') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_sr_Cyrl; } if (goog.LOCALE == 'sr_Cyrl_BA' || goog.LOCALE == 'sr-Cyrl-BA') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_sr_Cyrl_BA; } if (goog.LOCALE == 'sr_Cyrl_ME' || goog.LOCALE == 'sr-Cyrl-ME') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_sr_Cyrl_ME; } if (goog.LOCALE == 'sr_Cyrl_RS' || goog.LOCALE == 'sr-Cyrl-RS') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_sr_Cyrl_RS; } if (goog.LOCALE == 'sr_Latn' || goog.LOCALE == 'sr-Latn') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_sr_Latn; } if (goog.LOCALE == 'sr_Latn_BA' || goog.LOCALE == 'sr-Latn-BA') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_sr_Latn_BA; } if (goog.LOCALE == 'sr_Latn_ME' || goog.LOCALE == 'sr-Latn-ME') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_sr_Latn_ME; } if (goog.LOCALE == 'sr_Latn_RS' || goog.LOCALE == 'sr-Latn-RS') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_sr_Latn_RS; } if (goog.LOCALE == 'sv_FI' || goog.LOCALE == 'sv-FI') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_sv_FI; } if (goog.LOCALE == 'sv_SE' || goog.LOCALE == 'sv-SE') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_sv_SE; } if (goog.LOCALE == 'sw_KE' || goog.LOCALE == 'sw-KE') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_sw_KE; } if (goog.LOCALE == 'sw_TZ' || goog.LOCALE == 'sw-TZ') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_sw_TZ; } if (goog.LOCALE == 'swc') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_swc; } if (goog.LOCALE == 'swc_CD' || goog.LOCALE == 'swc-CD') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_swc_CD; } if (goog.LOCALE == 'ta_IN' || goog.LOCALE == 'ta-IN') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ta_IN; } if (goog.LOCALE == 'ta_LK' || goog.LOCALE == 'ta-LK') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ta_LK; } if (goog.LOCALE == 'te_IN' || goog.LOCALE == 'te-IN') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_te_IN; } if (goog.LOCALE == 'teo') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_teo; } if (goog.LOCALE == 'teo_KE' || goog.LOCALE == 'teo-KE') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_teo_KE; } if (goog.LOCALE == 'teo_UG' || goog.LOCALE == 'teo-UG') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_teo_UG; } if (goog.LOCALE == 'th_TH' || goog.LOCALE == 'th-TH') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_th_TH; } if (goog.LOCALE == 'ti') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ti; } if (goog.LOCALE == 'ti_ER' || goog.LOCALE == 'ti-ER') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ti_ER; } if (goog.LOCALE == 'ti_ET' || goog.LOCALE == 'ti-ET') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ti_ET; } if (goog.LOCALE == 'to') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_to; } if (goog.LOCALE == 'to_TO' || goog.LOCALE == 'to-TO') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_to_TO; } if (goog.LOCALE == 'tr_TR' || goog.LOCALE == 'tr-TR') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_tr_TR; } if (goog.LOCALE == 'twq') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_twq; } if (goog.LOCALE == 'twq_NE' || goog.LOCALE == 'twq-NE') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_twq_NE; } if (goog.LOCALE == 'tzm') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_tzm; } if (goog.LOCALE == 'tzm_Latn' || goog.LOCALE == 'tzm-Latn') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_tzm_Latn; } if (goog.LOCALE == 'tzm_Latn_MA' || goog.LOCALE == 'tzm-Latn-MA') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_tzm_Latn_MA; } if (goog.LOCALE == 'uk_UA' || goog.LOCALE == 'uk-UA') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_uk_UA; } if (goog.LOCALE == 'ur_IN' || goog.LOCALE == 'ur-IN') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ur_IN; } if (goog.LOCALE == 'ur_PK' || goog.LOCALE == 'ur-PK') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_ur_PK; } if (goog.LOCALE == 'uz') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_uz; } if (goog.LOCALE == 'uz_Arab' || goog.LOCALE == 'uz-Arab') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_uz_Arab; } if (goog.LOCALE == 'uz_Arab_AF' || goog.LOCALE == 'uz-Arab-AF') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_uz_Arab_AF; } if (goog.LOCALE == 'uz_Cyrl' || goog.LOCALE == 'uz-Cyrl') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_uz_Cyrl; } if (goog.LOCALE == 'uz_Cyrl_UZ' || goog.LOCALE == 'uz-Cyrl-UZ') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_uz_Cyrl_UZ; } if (goog.LOCALE == 'uz_Latn' || goog.LOCALE == 'uz-Latn') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_uz_Latn; } if (goog.LOCALE == 'uz_Latn_UZ' || goog.LOCALE == 'uz-Latn-UZ') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_uz_Latn_UZ; } if (goog.LOCALE == 'vai') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_vai; } if (goog.LOCALE == 'vai_Latn' || goog.LOCALE == 'vai-Latn') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_vai_Latn; } if (goog.LOCALE == 'vai_Latn_LR' || goog.LOCALE == 'vai-Latn-LR') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_vai_Latn_LR; } if (goog.LOCALE == 'vai_Vaii' || goog.LOCALE == 'vai-Vaii') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_vai_Vaii; } if (goog.LOCALE == 'vai_Vaii_LR' || goog.LOCALE == 'vai-Vaii-LR') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_vai_Vaii_LR; } if (goog.LOCALE == 'vi_VN' || goog.LOCALE == 'vi-VN') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_vi_VN; } if (goog.LOCALE == 'vun') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_vun; } if (goog.LOCALE == 'vun_TZ' || goog.LOCALE == 'vun-TZ') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_vun_TZ; } if (goog.LOCALE == 'xog') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_xog; } if (goog.LOCALE == 'xog_UG' || goog.LOCALE == 'xog-UG') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_xog_UG; } if (goog.LOCALE == 'yav') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_yav; } if (goog.LOCALE == 'yav_CM' || goog.LOCALE == 'yav-CM') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_yav_CM; } if (goog.LOCALE == 'yo') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_yo; } if (goog.LOCALE == 'yo_NG' || goog.LOCALE == 'yo-NG') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_yo_NG; } if (goog.LOCALE == 'zh_Hans' || goog.LOCALE == 'zh-Hans') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_zh_Hans; } if (goog.LOCALE == 'zh_Hans_CN' || goog.LOCALE == 'zh-Hans-CN') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_zh_Hans_CN; } if (goog.LOCALE == 'zh_Hans_HK' || goog.LOCALE == 'zh-Hans-HK') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_zh_Hans_HK; } if (goog.LOCALE == 'zh_Hans_MO' || goog.LOCALE == 'zh-Hans-MO') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_zh_Hans_MO; } if (goog.LOCALE == 'zh_Hans_SG' || goog.LOCALE == 'zh-Hans-SG') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_zh_Hans_SG; } if (goog.LOCALE == 'zh_Hant' || goog.LOCALE == 'zh-Hant') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_zh_Hant; } if (goog.LOCALE == 'zh_Hant_HK' || goog.LOCALE == 'zh-Hant-HK') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_zh_Hant_HK; } if (goog.LOCALE == 'zh_Hant_MO' || goog.LOCALE == 'zh-Hant-MO') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_zh_Hant_MO; } if (goog.LOCALE == 'zh_Hant_TW' || goog.LOCALE == 'zh-Hant-TW') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_zh_Hant_TW; } if (goog.LOCALE == 'zu_ZA' || goog.LOCALE == 'zu-ZA') { goog.i18n.DateTimePatterns = goog.i18n.DateTimePatterns_zu_ZA; }
JavaScript
// Copyright 2006 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Number format/parse library with locale support. */ /** * Namespace for locale number format functions */ goog.provide('goog.i18n.NumberFormat'); goog.provide('goog.i18n.NumberFormat.CurrencyStyle'); goog.provide('goog.i18n.NumberFormat.Format'); goog.require('goog.i18n.NumberFormatSymbols'); goog.require('goog.i18n.currency'); /** * Constructor of NumberFormat. * @param {number|string} pattern The number that indicates a predefined * number format pattern. * @param {string=} opt_currency Optional international currency * code. This determines the currency code/symbol used in format/parse. If * not given, the currency code for current locale will be used. * @param {number=} opt_currencyStyle currency style, value defined in * goog.i18n.NumberFormat.CurrencyStyle. * @constructor */ goog.i18n.NumberFormat = function(pattern, opt_currency, opt_currencyStyle) { this.intlCurrencyCode_ = opt_currency || goog.i18n.NumberFormatSymbols.DEF_CURRENCY_CODE; this.currencyStyle_ = opt_currencyStyle || goog.i18n.NumberFormat.CurrencyStyle.LOCAL; this.maximumIntegerDigits_ = 40; this.minimumIntegerDigits_ = 1; this.maximumFractionDigits_ = 3; // invariant, >= minFractionDigits this.minimumFractionDigits_ = 0; this.minExponentDigits_ = 0; this.useSignForPositiveExponent_ = false; this.positivePrefix_ = ''; this.positiveSuffix_ = ''; this.negativePrefix_ = '-'; this.negativeSuffix_ = ''; // The multiplier for use in percent, per mille, etc. this.multiplier_ = 1; this.groupingSize_ = 3; this.decimalSeparatorAlwaysShown_ = false; this.useExponentialNotation_ = false; if (typeof pattern == 'number') { this.applyStandardPattern_(pattern); } else { this.applyPattern_(pattern); } }; /** * Standard number formatting patterns. * @enum {number} */ goog.i18n.NumberFormat.Format = { DECIMAL: 1, SCIENTIFIC: 2, PERCENT: 3, CURRENCY: 4 }; /** * Currency styles. * @enum {number} */ goog.i18n.NumberFormat.CurrencyStyle = { LOCAL: 0, // currency style as it is used in its circulating country. PORTABLE: 1, // currency style that differentiate it from other popular ones. GLOBAL: 2 // currency style that is unique among all currencies. }; /** * If the usage of Ascii digits should be enforced. * @type {boolean} * @private */ goog.i18n.NumberFormat.enforceAsciiDigits_ = false; /** * Set if the usage of Ascii digits in formatting should be enforced. * @param {boolean} doEnforce Boolean value about if Ascii digits should be * enforced. */ goog.i18n.NumberFormat.setEnforceAsciiDigits = function(doEnforce) { goog.i18n.NumberFormat.enforceAsciiDigits_ = doEnforce; }; /** * Return if Ascii digits is enforced. * @return {boolean} If Ascii digits is enforced. */ goog.i18n.NumberFormat.isEnforceAsciiDigits = function() { return goog.i18n.NumberFormat.enforceAsciiDigits_; }; /** * Sets minimum number of fraction digits. * @param {number} min the minimum. */ goog.i18n.NumberFormat.prototype.setMinimumFractionDigits = function(min) { if (min > this.maximumFractionDigits_) { throw Error('Min value must be less than max value'); } this.minimumFractionDigits_ = min; }; /** * Sets maximum number of fraction digits. * @param {number} max the maximum. */ goog.i18n.NumberFormat.prototype.setMaximumFractionDigits = function(max) { if (this.minimumFractionDigits_ > max) { throw Error('Min value must be less than max value'); } this.maximumFractionDigits_ = max; }; /** * Apply provided pattern, result are stored in member variables. * * @param {string} pattern String pattern being applied. * @private */ goog.i18n.NumberFormat.prototype.applyPattern_ = function(pattern) { this.pattern_ = pattern.replace(/ /g, '\u00a0'); var pos = [0]; this.positivePrefix_ = this.parseAffix_(pattern, pos); var trunkStart = pos[0]; this.parseTrunk_(pattern, pos); var trunkLen = pos[0] - trunkStart; this.positiveSuffix_ = this.parseAffix_(pattern, pos); if (pos[0] < pattern.length && pattern.charAt(pos[0]) == goog.i18n.NumberFormat.PATTERN_SEPARATOR_) { pos[0]++; this.negativePrefix_ = this.parseAffix_(pattern, pos); // we assume this part is identical to positive part. // user must make sure the pattern is correctly constructed. pos[0] += trunkLen; this.negativeSuffix_ = this.parseAffix_(pattern, pos); } else { // if no negative affix specified, they share the same positive affix this.negativePrefix_ = this.positivePrefix_ + this.negativePrefix_; this.negativeSuffix_ += this.positiveSuffix_; } }; /** * Apply a predefined pattern to NumberFormat object. * @param {number} patternType The number that indicates a predefined number * format pattern. * @private */ goog.i18n.NumberFormat.prototype.applyStandardPattern_ = function(patternType) { switch (patternType) { case goog.i18n.NumberFormat.Format.DECIMAL: this.applyPattern_(goog.i18n.NumberFormatSymbols.DECIMAL_PATTERN); break; case goog.i18n.NumberFormat.Format.SCIENTIFIC: this.applyPattern_(goog.i18n.NumberFormatSymbols.SCIENTIFIC_PATTERN); break; case goog.i18n.NumberFormat.Format.PERCENT: this.applyPattern_(goog.i18n.NumberFormatSymbols.PERCENT_PATTERN); break; case goog.i18n.NumberFormat.Format.CURRENCY: this.applyPattern_(goog.i18n.currency.adjustPrecision( goog.i18n.NumberFormatSymbols.CURRENCY_PATTERN, this.intlCurrencyCode_)); break; default: throw Error('Unsupported pattern type.'); } }; /** * Parses text string to produce a Number. * * This method attempts to parse text starting from position "opt_pos" if it * is given. Otherwise the parse will start from the beginning of the text. * When opt_pos presents, opt_pos will be updated to the character next to where * parsing stops after the call. If an error occurs, opt_pos won't be updated. * * @param {string} text The string to be parsed. * @param {Array.<number>=} opt_pos Position to pass in and get back. * @return {number} Parsed number. This throws an error if the text cannot be * parsed. */ goog.i18n.NumberFormat.prototype.parse = function(text, opt_pos) { var pos = opt_pos || [0]; var start = pos[0]; var ret = NaN; // we don't want to handle 2 kind of space in parsing, normalize it to nbsp text = text.replace(/ /g, '\u00a0'); var gotPositive = text.indexOf(this.positivePrefix_, pos[0]) == pos[0]; var gotNegative = text.indexOf(this.negativePrefix_, pos[0]) == pos[0]; // check for the longest match if (gotPositive && gotNegative) { if (this.positivePrefix_.length > this.negativePrefix_.length) { gotNegative = false; } else if (this.positivePrefix_.length < this.negativePrefix_.length) { gotPositive = false; } } if (gotPositive) { pos[0] += this.positivePrefix_.length; } else if (gotNegative) { pos[0] += this.negativePrefix_.length; } // process digits or Inf, find decimal position if (text.indexOf(goog.i18n.NumberFormatSymbols.INFINITY, pos[0]) == pos[0]) { pos[0] += goog.i18n.NumberFormatSymbols.INFINITY.length; ret = Infinity; } else { ret = this.parseNumber_(text, pos); } // check for suffix if (gotPositive) { if (!(text.indexOf(this.positiveSuffix_, pos[0]) == pos[0])) { return NaN; } pos[0] += this.positiveSuffix_.length; } else if (gotNegative) { if (!(text.indexOf(this.negativeSuffix_, pos[0]) == pos[0])) { return NaN; } pos[0] += this.negativeSuffix_.length; } return gotNegative ? -ret : ret; }; /** * This function will parse a "localized" text into a Number. It needs to * handle locale specific decimal, grouping, exponent and digits. * * @param {string} text The text that need to be parsed. * @param {Array.<number>} pos In/out parsing position. In case of failure, * pos value won't be changed. * @return {number} Number value, or NaN if nothing can be parsed. * @private */ goog.i18n.NumberFormat.prototype.parseNumber_ = function(text, pos) { var sawDecimal = false; var sawExponent = false; var sawDigit = false; var scale = 1; var decimal = goog.i18n.NumberFormatSymbols.DECIMAL_SEP; var grouping = goog.i18n.NumberFormatSymbols.GROUP_SEP; var exponentChar = goog.i18n.NumberFormatSymbols.EXP_SYMBOL; var normalizedText = ''; for (; pos[0] < text.length; pos[0]++) { var ch = text.charAt(pos[0]); var digit = this.getDigit_(ch); if (digit >= 0 && digit <= 9) { normalizedText += digit; sawDigit = true; } else if (ch == decimal.charAt(0)) { if (sawDecimal || sawExponent) { break; } normalizedText += '.'; sawDecimal = true; } else if (ch == grouping.charAt(0) && ('\u00a0' != grouping.charAt(0) || pos[0] + 1 < text.length && this.getDigit_(text.charAt(pos[0] + 1)) >= 0)) { // Got a grouping character here. When grouping character is nbsp, need // to make sure the character following it is a digit. if (sawDecimal || sawExponent) { break; } continue; } else if (ch == exponentChar.charAt(0)) { if (sawExponent) { break; } normalizedText += 'E'; sawExponent = true; } else if (ch == '+' || ch == '-') { normalizedText += ch; } else if (ch == goog.i18n.NumberFormatSymbols.PERCENT.charAt(0)) { if (scale != 1) { break; } scale = 100; if (sawDigit) { pos[0]++; // eat this character if parse end here break; } } else if (ch == goog.i18n.NumberFormatSymbols.PERMILL.charAt(0)) { if (scale != 1) { break; } scale = 1000; if (sawDigit) { pos[0]++; // eat this character if parse end here break; } } else { break; } } return parseFloat(normalizedText) / scale; }; /** * Formats a Number to produce a string. * * @param {number} number The Number to be formatted. * @return {string} The formatted number string. */ goog.i18n.NumberFormat.prototype.format = function(number) { if (isNaN(number)) { return goog.i18n.NumberFormatSymbols.NAN; } var parts = []; // in icu code, it is commented that certain computation need to keep the // negative sign for 0. var isNegative = number < 0.0 || number == 0.0 && 1 / number < 0.0; parts.push(isNegative ? this.negativePrefix_ : this.positivePrefix_); if (!isFinite(number)) { parts.push(goog.i18n.NumberFormatSymbols.INFINITY); } else { // convert number to non-negative value number *= isNegative ? -1 : 1; number *= this.multiplier_; this.useExponentialNotation_ ? this.subformatExponential_(number, parts) : this.subformatFixed_(number, this.minimumIntegerDigits_, parts); } parts.push(isNegative ? this.negativeSuffix_ : this.positiveSuffix_); return parts.join(''); }; /** * Formats a Number in fraction format. * * @param {number} number Value need to be formated. * @param {number} minIntDigits Minimum integer digits. * @param {Array} parts This array holds the pieces of formatted string. * This function will add its formatted pieces to the array. * @private */ goog.i18n.NumberFormat.prototype.subformatFixed_ = function(number, minIntDigits, parts) { // round the number var power = Math.pow(10, this.maximumFractionDigits_); var shiftedNumber = Math.round(number * power); var intValue, fracValue; if (isFinite(shiftedNumber)) { intValue = Math.floor(shiftedNumber / power); fracValue = Math.floor(shiftedNumber - intValue * power); } else { intValue = number; fracValue = 0; } var fractionPresent = this.minimumFractionDigits_ > 0 || fracValue > 0; var intPart = ''; var translatableInt = intValue; while (translatableInt > 1E20) { // here it goes beyond double precision, add '0' make it look better intPart = '0' + intPart; translatableInt = Math.round(translatableInt / 10); } intPart = translatableInt + intPart; var decimal = goog.i18n.NumberFormatSymbols.DECIMAL_SEP; var grouping = goog.i18n.NumberFormatSymbols.GROUP_SEP; var zeroCode = goog.i18n.NumberFormat.enforceAsciiDigits_ ? 48 /* ascii '0' */ : goog.i18n.NumberFormatSymbols.ZERO_DIGIT.charCodeAt(0); var digitLen = intPart.length; if (intValue > 0 || minIntDigits > 0) { for (var i = digitLen; i < minIntDigits; i++) { parts.push(String.fromCharCode(zeroCode)); } for (var i = 0; i < digitLen; i++) { parts.push(String.fromCharCode(zeroCode + intPart.charAt(i) * 1)); if (digitLen - i > 1 && this.groupingSize_ > 0 && ((digitLen - i) % this.groupingSize_ == 1)) { parts.push(grouping); } } } else if (!fractionPresent) { // If there is no fraction present, and we haven't printed any // integer digits, then print a zero. parts.push(String.fromCharCode(zeroCode)); } // Output the decimal separator if we always do so. if (this.decimalSeparatorAlwaysShown_ || fractionPresent) { parts.push(decimal); } var fracPart = '' + (fracValue + power); var fracLen = fracPart.length; while (fracPart.charAt(fracLen - 1) == '0' && fracLen > this.minimumFractionDigits_ + 1) { fracLen--; } for (var i = 1; i < fracLen; i++) { parts.push(String.fromCharCode(zeroCode + fracPart.charAt(i) * 1)); } }; /** * Formats exponent part of a Number. * * @param {number} exponent Exponential value. * @param {Array.<string>} parts The array that holds the pieces of formatted * string. This function will append more formatted pieces to the array. * @private */ goog.i18n.NumberFormat.prototype.addExponentPart_ = function(exponent, parts) { parts.push(goog.i18n.NumberFormatSymbols.EXP_SYMBOL); if (exponent < 0) { exponent = -exponent; parts.push(goog.i18n.NumberFormatSymbols.MINUS_SIGN); } else if (this.useSignForPositiveExponent_) { parts.push(goog.i18n.NumberFormatSymbols.PLUS_SIGN); } var exponentDigits = '' + exponent; var zeroChar = goog.i18n.NumberFormat.enforceAsciiDigits_ ? '0' : goog.i18n.NumberFormatSymbols.ZERO_DIGIT; for (var i = exponentDigits.length; i < this.minExponentDigits_; i++) { parts.push(zeroChar); } parts.push(exponentDigits); }; /** * Formats Number in exponential format. * * @param {number} number Value need to be formated. * @param {Array.<string>} parts The array that holds the pieces of formatted * string. This function will append more formatted pieces to the array. * @private */ goog.i18n.NumberFormat.prototype.subformatExponential_ = function(number, parts) { if (number == 0.0) { this.subformatFixed_(number, this.minimumIntegerDigits_, parts); this.addExponentPart_(0, parts); return; } var exponent = Math.floor(Math.log(number) / Math.log(10)); number /= Math.pow(10, exponent); var minIntDigits = this.minimumIntegerDigits_; if (this.maximumIntegerDigits_ > 1 && this.maximumIntegerDigits_ > this.minimumIntegerDigits_) { // A repeating range is defined; adjust to it as follows. // If repeat == 3, we have 6,5,4=>3; 3,2,1=>0; 0,-1,-2=>-3; // -3,-4,-5=>-6, etc. This takes into account that the // exponent we have here is off by one from what we expect; // it is for the format 0.MMMMMx10^n. while ((exponent % this.maximumIntegerDigits_) != 0) { number *= 10; exponent--; } minIntDigits = 1; } else { // No repeating range is defined; use minimum integer digits. if (this.minimumIntegerDigits_ < 1) { exponent++; number /= 10; } else { exponent -= this.minimumIntegerDigits_ - 1; number *= Math.pow(10, this.minimumIntegerDigits_ - 1); } } this.subformatFixed_(number, minIntDigits, parts); this.addExponentPart_(exponent, parts); }; /** * Returns the digit value of current character. The character could be either * '0' to '9', or a locale specific digit. * * @param {string} ch Character that represents a digit. * @return {number} The digit value, or -1 on error. * @private */ goog.i18n.NumberFormat.prototype.getDigit_ = function(ch) { var code = ch.charCodeAt(0); // between '0' to '9' if (48 <= code && code < 58) { return code - 48; } else { var zeroCode = goog.i18n.NumberFormatSymbols.ZERO_DIGIT.charCodeAt(0); return zeroCode <= code && code < zeroCode + 10 ? code - zeroCode : -1; } }; // ---------------------------------------------------------------------- // CONSTANTS // ---------------------------------------------------------------------- // Constants for characters used in programmatic (unlocalized) patterns. /** * A zero digit character. * @type {string} * @private */ goog.i18n.NumberFormat.PATTERN_ZERO_DIGIT_ = '0'; /** * A grouping separator character. * @type {string} * @private */ goog.i18n.NumberFormat.PATTERN_GROUPING_SEPARATOR_ = ','; /** * A decimal separator character. * @type {string} * @private */ goog.i18n.NumberFormat.PATTERN_DECIMAL_SEPARATOR_ = '.'; /** * A per mille character. * @type {string} * @private */ goog.i18n.NumberFormat.PATTERN_PER_MILLE_ = '\u2030'; /** * A percent character. * @type {string} * @private */ goog.i18n.NumberFormat.PATTERN_PERCENT_ = '%'; /** * A digit character. * @type {string} * @private */ goog.i18n.NumberFormat.PATTERN_DIGIT_ = '#'; /** * A separator character. * @type {string} * @private */ goog.i18n.NumberFormat.PATTERN_SEPARATOR_ = ';'; /** * An exponent character. * @type {string} * @private */ goog.i18n.NumberFormat.PATTERN_EXPONENT_ = 'E'; /** * An plus character. * @type {string} * @private */ goog.i18n.NumberFormat.PATTERN_PLUS_ = '+'; /** * A minus character. * @type {string} * @private */ goog.i18n.NumberFormat.PATTERN_MINUS_ = '-'; /** * A quote character. * @type {string} * @private */ goog.i18n.NumberFormat.PATTERN_CURRENCY_SIGN_ = '\u00A4'; /** * A quote character. * @type {string} * @private */ goog.i18n.NumberFormat.QUOTE_ = '\''; /** * Parses affix part of pattern. * * @param {string} pattern Pattern string that need to be parsed. * @param {Array.<number>} pos One element position array to set and receive * parsing position. * * @return {string} Affix received from parsing. * @private */ goog.i18n.NumberFormat.prototype.parseAffix_ = function(pattern, pos) { var affix = ''; var inQuote = false; var len = pattern.length; for (; pos[0] < len; pos[0]++) { var ch = pattern.charAt(pos[0]); if (ch == goog.i18n.NumberFormat.QUOTE_) { if (pos[0] + 1 < len && pattern.charAt(pos[0] + 1) == goog.i18n.NumberFormat.QUOTE_) { pos[0]++; affix += '\''; // 'don''t' } else { inQuote = !inQuote; } continue; } if (inQuote) { affix += ch; } else { switch (ch) { case goog.i18n.NumberFormat.PATTERN_DIGIT_: case goog.i18n.NumberFormat.PATTERN_ZERO_DIGIT_: case goog.i18n.NumberFormat.PATTERN_GROUPING_SEPARATOR_: case goog.i18n.NumberFormat.PATTERN_DECIMAL_SEPARATOR_: case goog.i18n.NumberFormat.PATTERN_SEPARATOR_: return affix; case goog.i18n.NumberFormat.PATTERN_CURRENCY_SIGN_: if ((pos[0] + 1) < len && pattern.charAt(pos[0] + 1) == goog.i18n.NumberFormat.PATTERN_CURRENCY_SIGN_) { pos[0]++; affix += this.intlCurrencyCode_; } else { switch (this.currencyStyle_) { case goog.i18n.NumberFormat.CurrencyStyle.LOCAL: affix += goog.i18n.currency.getLocalCurrencySign( this.intlCurrencyCode_); break; case goog.i18n.NumberFormat.CurrencyStyle.GLOBAL: affix += goog.i18n.currency.getGlobalCurrencySign( this.intlCurrencyCode_); break; case goog.i18n.NumberFormat.CurrencyStyle.PORTABLE: affix += goog.i18n.currency.getPortableCurrencySign( this.intlCurrencyCode_); break; default: break; } } break; case goog.i18n.NumberFormat.PATTERN_PERCENT_: if (this.multiplier_ != 1) { throw Error('Too many percent/permill'); } this.multiplier_ = 100; affix += goog.i18n.NumberFormatSymbols.PERCENT; break; case goog.i18n.NumberFormat.PATTERN_PER_MILLE_: if (this.multiplier_ != 1) { throw Error('Too many percent/permill'); } this.multiplier_ = 1000; affix += goog.i18n.NumberFormatSymbols.PERMILL; break; default: affix += ch; } } } return affix; }; /** * Parses the trunk part of a pattern. * * @param {string} pattern Pattern string that need to be parsed. * @param {Array.<number>} pos One element position array to set and receive * parsing position. * @private */ goog.i18n.NumberFormat.prototype.parseTrunk_ = function(pattern, pos) { var decimalPos = -1; var digitLeftCount = 0; var zeroDigitCount = 0; var digitRightCount = 0; var groupingCount = -1; var len = pattern.length; for (var loop = true; pos[0] < len && loop; pos[0]++) { var ch = pattern.charAt(pos[0]); switch (ch) { case goog.i18n.NumberFormat.PATTERN_DIGIT_: if (zeroDigitCount > 0) { digitRightCount++; } else { digitLeftCount++; } if (groupingCount >= 0 && decimalPos < 0) { groupingCount++; } break; case goog.i18n.NumberFormat.PATTERN_ZERO_DIGIT_: if (digitRightCount > 0) { throw Error('Unexpected "0" in pattern "' + pattern + '"'); } zeroDigitCount++; if (groupingCount >= 0 && decimalPos < 0) { groupingCount++; } break; case goog.i18n.NumberFormat.PATTERN_GROUPING_SEPARATOR_: groupingCount = 0; break; case goog.i18n.NumberFormat.PATTERN_DECIMAL_SEPARATOR_: if (decimalPos >= 0) { throw Error('Multiple decimal separators in pattern "' + pattern + '"'); } decimalPos = digitLeftCount + zeroDigitCount + digitRightCount; break; case goog.i18n.NumberFormat.PATTERN_EXPONENT_: if (this.useExponentialNotation_) { throw Error('Multiple exponential symbols in pattern "' + pattern + '"'); } this.useExponentialNotation_ = true; this.minExponentDigits_ = 0; // exponent pattern can have a optional '+'. if ((pos[0] + 1) < len && pattern.charAt(pos[0] + 1) == goog.i18n.NumberFormat.PATTERN_PLUS_) { pos[0]++; this.useSignForPositiveExponent_ = true; } // Use lookahead to parse out the exponential part // of the pattern, then jump into phase 2. while ((pos[0] + 1) < len && pattern.charAt(pos[0] + 1) == goog.i18n.NumberFormat.PATTERN_ZERO_DIGIT_) { pos[0]++; this.minExponentDigits_++; } if ((digitLeftCount + zeroDigitCount) < 1 || this.minExponentDigits_ < 1) { throw Error('Malformed exponential pattern "' + pattern + '"'); } loop = false; break; default: pos[0]--; loop = false; break; } } if (zeroDigitCount == 0 && digitLeftCount > 0 && decimalPos >= 0) { // Handle '###.###' and '###.' and '.###' var n = decimalPos; if (n == 0) { // Handle '.###' n++; } digitRightCount = digitLeftCount - n; digitLeftCount = n - 1; zeroDigitCount = 1; } // Do syntax checking on the digits. if (decimalPos < 0 && digitRightCount > 0 || decimalPos >= 0 && (decimalPos < digitLeftCount || decimalPos > digitLeftCount + zeroDigitCount) || groupingCount == 0) { throw Error('Malformed pattern "' + pattern + '"'); } var totalDigits = digitLeftCount + zeroDigitCount + digitRightCount; this.maximumFractionDigits_ = decimalPos >= 0 ? totalDigits - decimalPos : 0; if (decimalPos >= 0) { this.minimumFractionDigits_ = digitLeftCount + zeroDigitCount - decimalPos; if (this.minimumFractionDigits_ < 0) { this.minimumFractionDigits_ = 0; } } // The effectiveDecimalPos is the position the decimal is at or would be at // if there is no decimal. Note that if decimalPos<0, then digitTotalCount == // digitLeftCount + zeroDigitCount. var effectiveDecimalPos = decimalPos >= 0 ? decimalPos : totalDigits; this.minimumIntegerDigits_ = effectiveDecimalPos - digitLeftCount; if (this.useExponentialNotation_) { this.maximumIntegerDigits_ = digitLeftCount + this.minimumIntegerDigits_; // in exponential display, we need to at least show something. if (this.maximumFractionDigits_ == 0 && this.minimumIntegerDigits_ == 0) { this.minimumIntegerDigits_ = 1; } } this.groupingSize_ = Math.max(0, groupingCount); this.decimalSeparatorAlwaysShown_ = decimalPos == 0 || decimalPos == totalDigits; };
JavaScript
// Copyright 2010 The Closure Library Authors. All Rights Reserved // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Message/plural format library with locale support. * * Message format grammar: * * messageFormatPattern := string ( "{" messageFormatElement "}" string )* * messageFormatElement := argumentIndex [ "," elementFormat ] * elementFormat := "plural" "," pluralStyle * | "selectordinal" "," ordinalStyle * | "select" "," selectStyle * pluralStyle := pluralFormatPattern * ordinalStyle := selectFormatPattern * selectStyle := selectFormatPattern * pluralFormatPattern := [ "offset" ":" offsetIndex ] pluralForms* * selectFormatPattern := pluralForms* * pluralForms := stringKey "{" ( "{" messageFormatElement "}"|string )* "}" * * This is a subset of the ICU MessageFormatSyntax: * http://userguide.icu-project.org/formatparse/messages * See also http://go/plurals and http://go/ordinals for internal details. * * * Message example: * * I see {NUM_PEOPLE, plural, offset:1 * =0 {no one at all} * =1 {{WHO}} * one {{WHO} and one other person} * other {{WHO} and # other people}} * in {PLACE}. * * Calling format({'NUM_PEOPLE': 2, 'WHO': 'Mark', 'PLACE': 'Athens'}) would * produce "I see Mark and one other person in Athens." as output. * * OR: * * {NUM_FLOOR, selectordinal, * one {Take the elevator to the #st floor.} * two {Take the elevator to the #nd floor.} * few {Take the elevator to the #rd floor.} * other {Take the elevator to the #th floor.}} * * Calling format({'NUM_FLOOR': 22}) would produce * "Take the elevator to the 22nd floor". * * See messageformat_test.html for more examples. */ goog.provide('goog.i18n.MessageFormat'); goog.require('goog.asserts'); goog.require('goog.i18n.NumberFormat'); goog.require('goog.i18n.ordinalRules'); goog.require('goog.i18n.pluralRules'); /** * Constructor of MessageFormat. * @param {string} pattern The pattern we parse and apply positional parameters * to. * @constructor */ goog.i18n.MessageFormat = function(pattern) { /** * All encountered literals during parse stage. Indices tell us the order of * replacement. * @type {!Array.<string>} * @private */ this.literals_ = []; /** * Input pattern gets parsed into objects for faster formatting. * @type {!Array.<!Object>} * @private */ this.parsedPattern_ = []; /** * Locale aware number formatter. * @type {goog.i18n.NumberFormat} * @private */ this.numberFormatter_ = new goog.i18n.NumberFormat( goog.i18n.NumberFormat.Format.DECIMAL); this.parsePattern_(pattern); }; /** * Literal strings, including '', are replaced with \uFDDF_x_ for * parsing purposes, and recovered during format phase. * \uFDDF is a Unicode nonprinting character, not expected to be found in the * typical message. * @type {string} * @private */ goog.i18n.MessageFormat.LITERAL_PLACEHOLDER_ = '\uFDDF_'; /** * Marks a string and block during parsing. * @enum {number} * @private */ goog.i18n.MessageFormat.Element_ = { STRING: 0, BLOCK: 1 }; /** * Block type. * @enum {number} * @private */ goog.i18n.MessageFormat.BlockType_ = { PLURAL: 0, ORDINAL: 1, SELECT: 2, SIMPLE: 3, STRING: 4, UNKNOWN: 5 }; /** * Mandatory option in both select and plural form. * @type {string} * @private */ goog.i18n.MessageFormat.OTHER_ = 'other'; /** * Regular expression for looking for string literals. * @type {RegExp} * @private */ goog.i18n.MessageFormat.REGEX_LITERAL_ = new RegExp("'([{}#].*?)'", 'g'); /** * Regular expression for looking for '' in the message. * @type {RegExp} * @private */ goog.i18n.MessageFormat.REGEX_DOUBLE_APOSTROPHE_ = new RegExp("''", 'g'); /** * Formats a message, treating '#' with special meaning representing * the number (plural_variable - offset). * @param {!Object} namedParameters Parameters that either * influence the formatting or are used as actual data. * I.e. in call to fmt.format({'NUM_PEOPLE': 5, 'NAME': 'Angela'}), * object {'NUM_PEOPLE': 5, 'NAME': 'Angela'} holds positional parameters. * 1st parameter could mean 5 people, which could influence plural format, * and 2nd parameter is just a data to be printed out in proper position. * @return {string} Formatted message. */ goog.i18n.MessageFormat.prototype.format = function(namedParameters) { return this.format_(namedParameters, false); }; /** * Formats a message, treating '#' as literary character. * @param {!Object} namedParameters Parameters that either * influence the formatting or are used as actual data. * I.e. in call to fmt.format({'NUM_PEOPLE': 5, 'NAME': 'Angela'}), * object {'NUM_PEOPLE': 5, 'NAME': 'Angela'} holds positional parameters. * 1st parameter could mean 5 people, which could influence plural format, * and 2nd parameter is just a data to be printed out in proper position. * @return {string} Formatted message. */ goog.i18n.MessageFormat.prototype.formatIgnoringPound = function(namedParameters) { return this.format_(namedParameters, true); }; /** * Formats a message. * @param {!Object} namedParameters Parameters that either * influence the formatting or are used as actual data. * I.e. in call to fmt.format({'NUM_PEOPLE': 5, 'NAME': 'Angela'}), * object {'NUM_PEOPLE': 5, 'NAME': 'Angela'} holds positional parameters. * 1st parameter could mean 5 people, which could influence plural format, * and 2nd parameter is just a data to be printed out in proper position. * @param {boolean} ignorePound If true, treat '#' in plural messages as a * literary character, else treat it as an ICU syntax character, resolving * to the number (plural_variable - offset). * @return {string} Formatted message. * @private */ goog.i18n.MessageFormat.prototype.format_ = function(namedParameters, ignorePound) { if (this.parsedPattern_.length == 0) { return ''; } var result = []; this.formatBlock_(this.parsedPattern_, namedParameters, ignorePound, result); var message = result.join(''); if (!ignorePound) { goog.asserts.assert(message.search('#') == -1, 'Not all # were replaced.'); } while (this.literals_.length > 0) { message = message.replace(this.buildPlaceholder_(this.literals_), this.literals_.pop()); } return message; }; /** * Parses generic block and returns a formatted string. * @param {!Array.<!Object>} parsedPattern Holds parsed tree. * @param {!Object} namedParameters Parameters that either influence * the formatting or are used as actual data. * @param {boolean} ignorePound If true, treat '#' in plural messages as a * literary character, else treat it as an ICU syntax character, resolving * to the number (plural_variable - offset). * @param {!Array.<!string>} result Each formatting stage appends its product * to the result. * @private */ goog.i18n.MessageFormat.prototype.formatBlock_ = function( parsedPattern, namedParameters, ignorePound, result) { for (var i = 0; i < parsedPattern.length; i++) { switch (parsedPattern[i].type) { case goog.i18n.MessageFormat.BlockType_.STRING: result.push(parsedPattern[i].value); break; case goog.i18n.MessageFormat.BlockType_.SIMPLE: var pattern = parsedPattern[i].value; this.formatSimplePlaceholder_(pattern, namedParameters, result); break; case goog.i18n.MessageFormat.BlockType_.SELECT: var pattern = parsedPattern[i].value; this.formatSelectBlock_(pattern, namedParameters, ignorePound, result); break; case goog.i18n.MessageFormat.BlockType_.PLURAL: var pattern = parsedPattern[i].value; this.formatPluralOrdinalBlock_(pattern, namedParameters, goog.i18n.pluralRules.select, ignorePound, result); break; case goog.i18n.MessageFormat.BlockType_.ORDINAL: var pattern = parsedPattern[i].value; this.formatPluralOrdinalBlock_(pattern, namedParameters, goog.i18n.ordinalRules.select, ignorePound, result); break; default: goog.asserts.fail('Unrecognized block type.'); } } }; /** * Formats simple placeholder. * @param {!Object} parsedPattern JSON object containing placeholder info. * @param {!Object} namedParameters Parameters that are used as actual data. * @param {!Array.<!string>} result Each formatting stage appends its product * to the result. * @private */ goog.i18n.MessageFormat.prototype.formatSimplePlaceholder_ = function( parsedPattern, namedParameters, result) { var value = namedParameters[parsedPattern]; if (!goog.isDef(value)) { result.push('Undefined parameter - ' + parsedPattern); return; } // Don't push the value yet, it may contain any of # { } in it which // will break formatter. Insert a placeholder and replace at the end. this.literals_.push(value); result.push(this.buildPlaceholder_(this.literals_)); }; /** * Formats select block. Only one option is selected. * @param {!Object} parsedPattern JSON object containing select block info. * @param {!Object} namedParameters Parameters that either influence * the formatting or are used as actual data. * @param {boolean} ignorePound If true, treat '#' in plural messages as a * literary character, else treat it as an ICU syntax character, resolving * to the number (plural_variable - offset). * @param {!Array.<!string>} result Each formatting stage appends its product * to the result. * @private */ goog.i18n.MessageFormat.prototype.formatSelectBlock_ = function( parsedPattern, namedParameters, ignorePound, result) { var argumentIndex = parsedPattern.argumentIndex; if (!goog.isDef(namedParameters[argumentIndex])) { result.push('Undefined parameter - ' + argumentIndex); return; } var option = parsedPattern[namedParameters[argumentIndex]]; if (!goog.isDef(option)) { option = parsedPattern[goog.i18n.MessageFormat.OTHER_]; goog.asserts.assertArray( option, 'Invalid option or missing other option for select block.'); } this.formatBlock_(option, namedParameters, ignorePound, result); }; /** * Formats plural or selectordinal block. Only one option is selected and all # * are replaced. * @param {!Object} parsedPattern JSON object containing plural block info. * @param {!Object} namedParameters Parameters that either influence * the formatting or are used as actual data. * @param {!function(number):string} pluralSelector A select function from * goog.i18n.pluralRules or goog.i18n.ordinalRules which determines which * plural/ordinal form to use based on the input number's cardinality. * @param {boolean} ignorePound If true, treat '#' in plural messages as a * literary character, else treat it as an ICU syntax character, resolving * to the number (plural_variable - offset). * @param {!Array.<!string>} result Each formatting stage appends its product * to the result. * @private */ goog.i18n.MessageFormat.prototype.formatPluralOrdinalBlock_ = function( parsedPattern, namedParameters, pluralSelector, ignorePound, result) { var argumentIndex = parsedPattern.argumentIndex; var argumentOffset = parsedPattern.argumentOffset; var pluralValue = +namedParameters[argumentIndex]; if (isNaN(pluralValue)) { // TODO(user): Distinguish between undefined and invalid parameters. result.push('Undefined or invalid parameter - ' + argumentIndex); return; } var diff = pluralValue - argumentOffset; // Check if there is an exact match. var option = parsedPattern[namedParameters[argumentIndex]]; if (!goog.isDef(option)) { goog.asserts.assert(diff >= 0, 'Argument index smaller than offset.'); var item = pluralSelector(diff); goog.asserts.assertString(item, 'Invalid plural key.'); option = parsedPattern[item]; // If option is not provided fall back to "other". if (!goog.isDef(option)) { option = parsedPattern[goog.i18n.MessageFormat.OTHER_]; } goog.asserts.assertArray( option, 'Invalid option or missing other option for plural block.'); } var pluralResult = []; this.formatBlock_(option, namedParameters, ignorePound, pluralResult); var plural = pluralResult.join(''); goog.asserts.assertString(plural, 'Empty block in plural.'); if (ignorePound) { result.push(plural); } else { var localeAwareDiff = this.numberFormatter_.format(diff); result.push(plural.replace(/#/g, localeAwareDiff)); } }; /** * Parses input pattern into an array, for faster reformatting with * different input parameters. * Parsing is locale independent. * @param {string} pattern MessageFormat pattern to parse. * @private */ goog.i18n.MessageFormat.prototype.parsePattern_ = function(pattern) { if (pattern) { pattern = this.insertPlaceholders_(pattern); this.parsedPattern_ = this.parseBlock_(pattern); } }; /** * Replaces string literals with literal placeholders. * Literals are string of the form '}...', '{...' and '#...' where ... is * set of characters not containing ' * Builds a dictionary so we can recover literals during format phase. * @param {string} pattern Pattern to clean up. * @return {string} Pattern with literals replaced with placeholders. * @private */ goog.i18n.MessageFormat.prototype.insertPlaceholders_ = function(pattern) { var literals = this.literals_; var buildPlaceholder = goog.bind(this.buildPlaceholder_, this); // First replace '' with single quote placeholder since they can be found // inside other literals. pattern = pattern.replace( goog.i18n.MessageFormat.REGEX_DOUBLE_APOSTROPHE_, function() { literals.push("'"); return buildPlaceholder(literals); }); pattern = pattern.replace( goog.i18n.MessageFormat.REGEX_LITERAL_, function(match, text) { literals.push(text); return buildPlaceholder(literals); }); return pattern; }; /** * Breaks pattern into strings and top level {...} blocks. * @param {string} pattern (sub)Pattern to be broken. * @return {Array.<Object>} Each item is {type, value}. * @private */ goog.i18n.MessageFormat.prototype.extractParts_ = function(pattern) { var prevPos = 0; var inBlock = false; var braceStack = []; var results = []; var braces = /[{}]/g; braces.lastIndex = 0; // lastIndex doesn't get set to 0 so we have to. var match; while (match = braces.exec(pattern)) { var pos = match.index; if (match[0] == '}') { var brace = braceStack.pop(); goog.asserts.assert(goog.isDef(brace) && brace == '{', 'No matching { for }.'); if (braceStack.length == 0) { // End of the block. var part = {}; part.type = goog.i18n.MessageFormat.Element_.BLOCK; part.value = pattern.substring(prevPos, pos); results.push(part); prevPos = pos + 1; inBlock = false; } } else { if (braceStack.length == 0) { inBlock = true; var substring = pattern.substring(prevPos, pos); if (substring != '') { results.push({ type: goog.i18n.MessageFormat.Element_.STRING, value: substring }); } prevPos = pos + 1; } braceStack.push('{'); } } // Take care of the final string, and check if the braceStack is empty. goog.asserts.assert(braceStack.length == 0, 'There are mismatched { or } in the pattern.'); var substring = pattern.substring(prevPos); if (substring != '') { results.push({ type: goog.i18n.MessageFormat.Element_.STRING, value: substring }); } return results; }; /** * A regular expression to parse the plural block, extracting the argument * index and offset (if any). * @type {RegExp} * @private */ goog.i18n.MessageFormat.PLURAL_BLOCK_RE_ = /^\s*(\w+)\s*,\s*plural\s*,(?:\s*offset:(\d+))?/; /** * A regular expression to parse the ordinal block, extracting the argument * index. * @type {RegExp} * @private */ goog.i18n.MessageFormat.ORDINAL_BLOCK_RE_ = /^\s*(\w+)\s*,\s*selectordinal\s*,/; /** * A regular expression to parse the select block, extracting the argument * index. * @type {RegExp} * @private */ goog.i18n.MessageFormat.SELECT_BLOCK_RE_ = /^\s*(\w+)\s*,\s*select\s*,/; /** * Detects which type of a block is the pattern. * @param {string} pattern Content of the block. * @return {goog.i18n.MessageFormat.BlockType_} One of the block types. * @private */ goog.i18n.MessageFormat.prototype.parseBlockType_ = function(pattern) { if (goog.i18n.MessageFormat.PLURAL_BLOCK_RE_.test(pattern)) { return goog.i18n.MessageFormat.BlockType_.PLURAL; } if (goog.i18n.MessageFormat.ORDINAL_BLOCK_RE_.test(pattern)) { return goog.i18n.MessageFormat.BlockType_.ORDINAL; } if (goog.i18n.MessageFormat.SELECT_BLOCK_RE_.test(pattern)) { return goog.i18n.MessageFormat.BlockType_.SELECT; } if (/^\s*\w+\s*/.test(pattern)) { return goog.i18n.MessageFormat.BlockType_.SIMPLE; } return goog.i18n.MessageFormat.BlockType_.UNKNOWN; }; /** * Parses generic block. * @param {string} pattern Content of the block to parse. * @return {!Array.<!Object>} Subblocks marked as strings, select... * @private */ goog.i18n.MessageFormat.prototype.parseBlock_ = function(pattern) { var result = []; var parts = this.extractParts_(pattern); for (var i = 0; i < parts.length; i++) { var block = {}; if (goog.i18n.MessageFormat.Element_.STRING == parts[i].type) { block.type = goog.i18n.MessageFormat.BlockType_.STRING; block.value = parts[i].value; } else if (goog.i18n.MessageFormat.Element_.BLOCK == parts[i].type) { var blockType = this.parseBlockType_(parts[i].value); switch (blockType) { case goog.i18n.MessageFormat.BlockType_.SELECT: block.type = goog.i18n.MessageFormat.BlockType_.SELECT; block.value = this.parseSelectBlock_(parts[i].value); break; case goog.i18n.MessageFormat.BlockType_.PLURAL: block.type = goog.i18n.MessageFormat.BlockType_.PLURAL; block.value = this.parsePluralBlock_(parts[i].value); break; case goog.i18n.MessageFormat.BlockType_.ORDINAL: block.type = goog.i18n.MessageFormat.BlockType_.ORDINAL; block.value = this.parseOrdinalBlock_(parts[i].value); break; case goog.i18n.MessageFormat.BlockType_.SIMPLE: block.type = goog.i18n.MessageFormat.BlockType_.SIMPLE; block.value = parts[i].value; break; default: goog.asserts.fail('Unknown block type.'); } } else { goog.asserts.fail('Unknown part of the pattern.'); } result.push(block); } return result; }; /** * Parses a select type of a block and produces JSON object for it. * @param {string} pattern Subpattern that needs to be parsed as select pattern. * @return {Object} Object with select block info. * @private */ goog.i18n.MessageFormat.prototype.parseSelectBlock_ = function(pattern) { var argumentIndex = ''; var replaceRegex = goog.i18n.MessageFormat.SELECT_BLOCK_RE_; pattern = pattern.replace(replaceRegex, function(string, name) { argumentIndex = name; return ''; }); var result = {}; result.argumentIndex = argumentIndex; var parts = this.extractParts_(pattern); // Looking for (key block)+ sequence. One of the keys has to be "other". var pos = 0; while (pos < parts.length) { var key = parts[pos].value; goog.asserts.assertString(key, 'Missing select key element.'); pos++; goog.asserts.assert(pos < parts.length, 'Missing or invalid select value element.'); if (goog.i18n.MessageFormat.Element_.BLOCK == parts[pos].type) { var value = this.parseBlock_(parts[pos].value); } else { goog.asserts.fail('Expected block type.'); } result[key.replace(/\s/g, '')] = value; pos++; } goog.asserts.assertArray(result[goog.i18n.MessageFormat.OTHER_], 'Missing other key in select statement.'); return result; }; /** * Parses a plural type of a block and produces JSON object for it. * @param {string} pattern Subpattern that needs to be parsed as plural pattern. * @return {Object} Object with select block info. * @private */ goog.i18n.MessageFormat.prototype.parsePluralBlock_ = function(pattern) { var argumentIndex = ''; var argumentOffset = 0; var replaceRegex = goog.i18n.MessageFormat.PLURAL_BLOCK_RE_; pattern = pattern.replace(replaceRegex, function(string, name, offset) { argumentIndex = name; if (offset) { argumentOffset = parseInt(offset, 10); } return ''; }); var result = {}; result.argumentIndex = argumentIndex; result.argumentOffset = argumentOffset; var parts = this.extractParts_(pattern); // Looking for (key block)+ sequence. var pos = 0; while (pos < parts.length) { var key = parts[pos].value; goog.asserts.assertString(key, 'Missing plural key element.'); pos++; goog.asserts.assert(pos < parts.length, 'Missing or invalid plural value element.'); if (goog.i18n.MessageFormat.Element_.BLOCK == parts[pos].type) { var value = this.parseBlock_(parts[pos].value); } else { goog.asserts.fail('Expected block type.'); } result[key.replace(/\s*(?:=)?(\w+)\s*/, '$1')] = value; pos++; } goog.asserts.assertArray(result[goog.i18n.MessageFormat.OTHER_], 'Missing other key in plural statement.'); return result; }; /** * Parses an ordinal type of a block and produces JSON object for it. * For example the input string: * '{FOO, selectordinal, one {Message A}other {Message B}}' * Should result in the output object: * { * argumentIndex: 'FOO', * argumentOffest: 0, * one: [ { type: 4, value: 'Message A' } ], * other: [ { type: 4, value: 'Message B' } ] * } * @param {string} pattern Subpattern that needs to be parsed as plural pattern. * @return {Object} Object with select block info. * @private */ goog.i18n.MessageFormat.prototype.parseOrdinalBlock_ = function(pattern) { var argumentIndex = ''; var replaceRegex = goog.i18n.MessageFormat.ORDINAL_BLOCK_RE_; pattern = pattern.replace(replaceRegex, function(string, name) { argumentIndex = name; return ''; }); var result = {}; result.argumentIndex = argumentIndex; result.argumentOffset = 0; var parts = this.extractParts_(pattern); // Looking for (key block)+ sequence. var pos = 0; while (pos < parts.length) { var key = parts[pos].value; goog.asserts.assertString(key, 'Missing ordinal key element.'); pos++; goog.asserts.assert(pos < parts.length, 'Missing or invalid ordinal value element.'); if (goog.i18n.MessageFormat.Element_.BLOCK == parts[pos].type) { var value = this.parseBlock_(parts[pos].value); } else { goog.asserts.fail('Expected block type.'); } result[key.replace(/\s*(?:=)?(\w+)\s*/, '$1')] = value; pos++; } goog.asserts.assertArray(result[goog.i18n.MessageFormat.OTHER_], 'Missing other key in selectordinal statement.'); return result; }; /** * Builds a placeholder from the last index of the array. * @param {!Array} literals All literals encountered during parse. * @return {string} \uFDDF_ + last index + _. * @private */ goog.i18n.MessageFormat.prototype.buildPlaceholder_ = function(literals) { goog.asserts.assert(literals.length > 0, 'Literal array is empty.'); var index = (literals.length - 1).toString(10); return goog.i18n.MessageFormat.LITERAL_PLACEHOLDER_ + index + '_'; };
JavaScript
// Copyright 2011 The Closure Library Authors. All Rights Reserved // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Number formatting symbols. * * This file is autogenerated by script: * http://go/generate_number_constants.py * using the --for_closure flag. * * To reduce the file size (which may cause issues in some JS * developing environments), this file will only contain locales * that are frequently used by web applications. This is defined as * closure_tier1_locales and will change (most likely addition) * over time. Rest of the data can be found in another file named * "numberformatsymbolsext.js", which will be generated at the * same time together with this file. * * Before checkin, this file could have been manually edited. This is * to incorporate changes before we could fix CLDR. All manual * modification must be documented in this section, and should be * removed after those changes land to CLDR. */ goog.provide('goog.i18n.NumberFormatSymbols'); goog.provide('goog.i18n.NumberFormatSymbols_af'); goog.provide('goog.i18n.NumberFormatSymbols_af_ZA'); goog.provide('goog.i18n.NumberFormatSymbols_am'); goog.provide('goog.i18n.NumberFormatSymbols_am_ET'); goog.provide('goog.i18n.NumberFormatSymbols_ar'); goog.provide('goog.i18n.NumberFormatSymbols_ar_001'); goog.provide('goog.i18n.NumberFormatSymbols_ar_EG'); goog.provide('goog.i18n.NumberFormatSymbols_bg'); goog.provide('goog.i18n.NumberFormatSymbols_bg_BG'); goog.provide('goog.i18n.NumberFormatSymbols_bn'); goog.provide('goog.i18n.NumberFormatSymbols_bn_BD'); goog.provide('goog.i18n.NumberFormatSymbols_ca'); goog.provide('goog.i18n.NumberFormatSymbols_ca_AD'); goog.provide('goog.i18n.NumberFormatSymbols_ca_ES'); goog.provide('goog.i18n.NumberFormatSymbols_cs'); goog.provide('goog.i18n.NumberFormatSymbols_cs_CZ'); goog.provide('goog.i18n.NumberFormatSymbols_da'); goog.provide('goog.i18n.NumberFormatSymbols_da_DK'); goog.provide('goog.i18n.NumberFormatSymbols_de'); goog.provide('goog.i18n.NumberFormatSymbols_de_AT'); goog.provide('goog.i18n.NumberFormatSymbols_de_BE'); goog.provide('goog.i18n.NumberFormatSymbols_de_CH'); goog.provide('goog.i18n.NumberFormatSymbols_de_DE'); goog.provide('goog.i18n.NumberFormatSymbols_de_LU'); goog.provide('goog.i18n.NumberFormatSymbols_el'); goog.provide('goog.i18n.NumberFormatSymbols_el_GR'); goog.provide('goog.i18n.NumberFormatSymbols_en'); goog.provide('goog.i18n.NumberFormatSymbols_en_AS'); goog.provide('goog.i18n.NumberFormatSymbols_en_AU'); goog.provide('goog.i18n.NumberFormatSymbols_en_Dsrt_US'); goog.provide('goog.i18n.NumberFormatSymbols_en_FM'); goog.provide('goog.i18n.NumberFormatSymbols_en_GB'); goog.provide('goog.i18n.NumberFormatSymbols_en_GU'); goog.provide('goog.i18n.NumberFormatSymbols_en_IE'); goog.provide('goog.i18n.NumberFormatSymbols_en_IN'); goog.provide('goog.i18n.NumberFormatSymbols_en_MH'); goog.provide('goog.i18n.NumberFormatSymbols_en_MP'); goog.provide('goog.i18n.NumberFormatSymbols_en_PR'); goog.provide('goog.i18n.NumberFormatSymbols_en_PW'); goog.provide('goog.i18n.NumberFormatSymbols_en_SG'); goog.provide('goog.i18n.NumberFormatSymbols_en_TC'); goog.provide('goog.i18n.NumberFormatSymbols_en_UM'); goog.provide('goog.i18n.NumberFormatSymbols_en_US'); goog.provide('goog.i18n.NumberFormatSymbols_en_VG'); goog.provide('goog.i18n.NumberFormatSymbols_en_VI'); goog.provide('goog.i18n.NumberFormatSymbols_en_ZA'); goog.provide('goog.i18n.NumberFormatSymbols_es'); goog.provide('goog.i18n.NumberFormatSymbols_es_419'); goog.provide('goog.i18n.NumberFormatSymbols_es_EA'); goog.provide('goog.i18n.NumberFormatSymbols_es_ES'); goog.provide('goog.i18n.NumberFormatSymbols_es_IC'); goog.provide('goog.i18n.NumberFormatSymbols_et'); goog.provide('goog.i18n.NumberFormatSymbols_et_EE'); goog.provide('goog.i18n.NumberFormatSymbols_eu'); goog.provide('goog.i18n.NumberFormatSymbols_eu_ES'); goog.provide('goog.i18n.NumberFormatSymbols_fa'); goog.provide('goog.i18n.NumberFormatSymbols_fa_IR'); goog.provide('goog.i18n.NumberFormatSymbols_fi'); goog.provide('goog.i18n.NumberFormatSymbols_fi_FI'); goog.provide('goog.i18n.NumberFormatSymbols_fil'); goog.provide('goog.i18n.NumberFormatSymbols_fil_PH'); goog.provide('goog.i18n.NumberFormatSymbols_fr'); goog.provide('goog.i18n.NumberFormatSymbols_fr_BL'); goog.provide('goog.i18n.NumberFormatSymbols_fr_CA'); goog.provide('goog.i18n.NumberFormatSymbols_fr_FR'); goog.provide('goog.i18n.NumberFormatSymbols_fr_GF'); goog.provide('goog.i18n.NumberFormatSymbols_fr_GP'); goog.provide('goog.i18n.NumberFormatSymbols_fr_MC'); goog.provide('goog.i18n.NumberFormatSymbols_fr_MF'); goog.provide('goog.i18n.NumberFormatSymbols_fr_MQ'); goog.provide('goog.i18n.NumberFormatSymbols_fr_RE'); goog.provide('goog.i18n.NumberFormatSymbols_fr_YT'); goog.provide('goog.i18n.NumberFormatSymbols_gl'); goog.provide('goog.i18n.NumberFormatSymbols_gl_ES'); goog.provide('goog.i18n.NumberFormatSymbols_gsw'); goog.provide('goog.i18n.NumberFormatSymbols_gsw_CH'); goog.provide('goog.i18n.NumberFormatSymbols_gu'); goog.provide('goog.i18n.NumberFormatSymbols_gu_IN'); goog.provide('goog.i18n.NumberFormatSymbols_he'); goog.provide('goog.i18n.NumberFormatSymbols_he_IL'); goog.provide('goog.i18n.NumberFormatSymbols_hi'); goog.provide('goog.i18n.NumberFormatSymbols_hi_IN'); goog.provide('goog.i18n.NumberFormatSymbols_hr'); goog.provide('goog.i18n.NumberFormatSymbols_hr_HR'); goog.provide('goog.i18n.NumberFormatSymbols_hu'); goog.provide('goog.i18n.NumberFormatSymbols_hu_HU'); goog.provide('goog.i18n.NumberFormatSymbols_id'); goog.provide('goog.i18n.NumberFormatSymbols_id_ID'); goog.provide('goog.i18n.NumberFormatSymbols_in'); goog.provide('goog.i18n.NumberFormatSymbols_is'); goog.provide('goog.i18n.NumberFormatSymbols_is_IS'); goog.provide('goog.i18n.NumberFormatSymbols_it'); goog.provide('goog.i18n.NumberFormatSymbols_it_IT'); goog.provide('goog.i18n.NumberFormatSymbols_it_SM'); goog.provide('goog.i18n.NumberFormatSymbols_iw'); goog.provide('goog.i18n.NumberFormatSymbols_ja'); goog.provide('goog.i18n.NumberFormatSymbols_ja_JP'); goog.provide('goog.i18n.NumberFormatSymbols_kn'); goog.provide('goog.i18n.NumberFormatSymbols_kn_IN'); goog.provide('goog.i18n.NumberFormatSymbols_ko'); goog.provide('goog.i18n.NumberFormatSymbols_ko_KR'); goog.provide('goog.i18n.NumberFormatSymbols_ln'); goog.provide('goog.i18n.NumberFormatSymbols_ln_CD'); goog.provide('goog.i18n.NumberFormatSymbols_lt'); goog.provide('goog.i18n.NumberFormatSymbols_lt_LT'); goog.provide('goog.i18n.NumberFormatSymbols_lv'); goog.provide('goog.i18n.NumberFormatSymbols_lv_LV'); goog.provide('goog.i18n.NumberFormatSymbols_ml'); goog.provide('goog.i18n.NumberFormatSymbols_ml_IN'); goog.provide('goog.i18n.NumberFormatSymbols_mr'); goog.provide('goog.i18n.NumberFormatSymbols_mr_IN'); goog.provide('goog.i18n.NumberFormatSymbols_ms'); goog.provide('goog.i18n.NumberFormatSymbols_ms_MY'); goog.provide('goog.i18n.NumberFormatSymbols_mt'); goog.provide('goog.i18n.NumberFormatSymbols_mt_MT'); goog.provide('goog.i18n.NumberFormatSymbols_nl'); goog.provide('goog.i18n.NumberFormatSymbols_nl_CW'); goog.provide('goog.i18n.NumberFormatSymbols_nl_NL'); goog.provide('goog.i18n.NumberFormatSymbols_nl_SX'); goog.provide('goog.i18n.NumberFormatSymbols_no'); goog.provide('goog.i18n.NumberFormatSymbols_or'); goog.provide('goog.i18n.NumberFormatSymbols_or_IN'); goog.provide('goog.i18n.NumberFormatSymbols_pl'); goog.provide('goog.i18n.NumberFormatSymbols_pl_PL'); goog.provide('goog.i18n.NumberFormatSymbols_pt'); goog.provide('goog.i18n.NumberFormatSymbols_pt_BR'); goog.provide('goog.i18n.NumberFormatSymbols_pt_PT'); goog.provide('goog.i18n.NumberFormatSymbols_ro'); goog.provide('goog.i18n.NumberFormatSymbols_ro_RO'); goog.provide('goog.i18n.NumberFormatSymbols_ru'); goog.provide('goog.i18n.NumberFormatSymbols_ru_RU'); goog.provide('goog.i18n.NumberFormatSymbols_sk'); goog.provide('goog.i18n.NumberFormatSymbols_sk_SK'); goog.provide('goog.i18n.NumberFormatSymbols_sl'); goog.provide('goog.i18n.NumberFormatSymbols_sl_SI'); goog.provide('goog.i18n.NumberFormatSymbols_sq'); goog.provide('goog.i18n.NumberFormatSymbols_sq_AL'); goog.provide('goog.i18n.NumberFormatSymbols_sr'); goog.provide('goog.i18n.NumberFormatSymbols_sr_Cyrl_RS'); goog.provide('goog.i18n.NumberFormatSymbols_sr_Latn_RS'); goog.provide('goog.i18n.NumberFormatSymbols_sv'); goog.provide('goog.i18n.NumberFormatSymbols_sv_SE'); goog.provide('goog.i18n.NumberFormatSymbols_sw'); goog.provide('goog.i18n.NumberFormatSymbols_sw_TZ'); goog.provide('goog.i18n.NumberFormatSymbols_ta'); goog.provide('goog.i18n.NumberFormatSymbols_ta_IN'); goog.provide('goog.i18n.NumberFormatSymbols_te'); goog.provide('goog.i18n.NumberFormatSymbols_te_IN'); goog.provide('goog.i18n.NumberFormatSymbols_th'); goog.provide('goog.i18n.NumberFormatSymbols_th_TH'); goog.provide('goog.i18n.NumberFormatSymbols_tl'); goog.provide('goog.i18n.NumberFormatSymbols_tr'); goog.provide('goog.i18n.NumberFormatSymbols_tr_TR'); goog.provide('goog.i18n.NumberFormatSymbols_uk'); goog.provide('goog.i18n.NumberFormatSymbols_uk_UA'); goog.provide('goog.i18n.NumberFormatSymbols_ur'); goog.provide('goog.i18n.NumberFormatSymbols_ur_PK'); goog.provide('goog.i18n.NumberFormatSymbols_vi'); goog.provide('goog.i18n.NumberFormatSymbols_vi_VN'); goog.provide('goog.i18n.NumberFormatSymbols_zh'); goog.provide('goog.i18n.NumberFormatSymbols_zh_CN'); goog.provide('goog.i18n.NumberFormatSymbols_zh_HK'); goog.provide('goog.i18n.NumberFormatSymbols_zh_Hans_CN'); goog.provide('goog.i18n.NumberFormatSymbols_zh_TW'); goog.provide('goog.i18n.NumberFormatSymbols_zu'); goog.provide('goog.i18n.NumberFormatSymbols_zu_ZA'); /** * Number formatting symbols for locale af. * @enum {string} */ goog.i18n.NumberFormatSymbols_af = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'ZAR' }; /** * Number formatting symbols for locale af_ZA. * @enum {string} */ goog.i18n.NumberFormatSymbols_af_ZA = goog.i18n.NumberFormatSymbols_af; /** * Number formatting symbols for locale am. * @enum {string} */ goog.i18n.NumberFormatSymbols_am = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'ETB' }; /** * Number formatting symbols for locale am_ET. * @enum {string} */ goog.i18n.NumberFormatSymbols_am_ET = goog.i18n.NumberFormatSymbols_am; /** * Number formatting symbols for locale ar. * @enum {string} */ goog.i18n.NumberFormatSymbols_ar = { DECIMAL_SEP: '\u066B', GROUP_SEP: '\u066C', PERCENT: '\u066A', ZERO_DIGIT: '\u0660', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: '\u0627\u0633', PERMILL: '\u0609', INFINITY: '\u221E', NAN: '\u0644\u064A\u0633\u00A0\u0631\u0642\u0645', DECIMAL_PATTERN: '#0.###;#0.###-', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#0.00;\u00A4\u00A0#0.00-', DEF_CURRENCY_CODE: 'EGP' }; /** * Number formatting symbols for locale ar_001. * @enum {string} */ goog.i18n.NumberFormatSymbols_ar_001 = goog.i18n.NumberFormatSymbols_ar; /** * Number formatting symbols for locale ar_EG. * @enum {string} */ goog.i18n.NumberFormatSymbols_ar_EG = goog.i18n.NumberFormatSymbols_ar; /** * Number formatting symbols for locale bg. * @enum {string} */ goog.i18n.NumberFormatSymbols_bg = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'BGN' }; /** * Number formatting symbols for locale bg_BG. * @enum {string} */ goog.i18n.NumberFormatSymbols_bg_BG = goog.i18n.NumberFormatSymbols_bg; /** * Number formatting symbols for locale bn. * @enum {string} */ goog.i18n.NumberFormatSymbols_bn = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '\u09e6', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: '\u09B8\u0982\u0996\u09CD\u09AF\u09BE\u00A0\u09A8\u09BE', DECIMAL_PATTERN: '#,##,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##,##0%', CURRENCY_PATTERN: '#,##,##0.00\u00A4;(#,##,##0.00\u00A4)', DEF_CURRENCY_CODE: 'BDT' }; /** * Number formatting symbols for locale bn_BD. * @enum {string} */ goog.i18n.NumberFormatSymbols_bn_BD = goog.i18n.NumberFormatSymbols_bn; /** * Number formatting symbols for locale ca. * @enum {string} */ goog.i18n.NumberFormatSymbols_ca = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'EUR' }; /** * Number formatting symbols for locale ca_AD. * @enum {string} */ goog.i18n.NumberFormatSymbols_ca_AD = goog.i18n.NumberFormatSymbols_ca; /** * Number formatting symbols for locale ca_ES. * @enum {string} */ goog.i18n.NumberFormatSymbols_ca_ES = goog.i18n.NumberFormatSymbols_ca; /** * Number formatting symbols for locale cs. * @enum {string} */ goog.i18n.NumberFormatSymbols_cs = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'CZK' }; /** * Number formatting symbols for locale cs_CZ. * @enum {string} */ goog.i18n.NumberFormatSymbols_cs_CZ = goog.i18n.NumberFormatSymbols_cs; /** * Number formatting symbols for locale da. * @enum {string} */ goog.i18n.NumberFormatSymbols_da = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'DKK' }; /** * Number formatting symbols for locale da_DK. * @enum {string} */ goog.i18n.NumberFormatSymbols_da_DK = goog.i18n.NumberFormatSymbols_da; /** * Number formatting symbols for locale de. * @enum {string} */ goog.i18n.NumberFormatSymbols_de = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'EUR' }; /** * Number formatting symbols for locale de_AT. * @enum {string} */ goog.i18n.NumberFormatSymbols_de_AT = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00', DEF_CURRENCY_CODE: 'EUR' }; /** * Number formatting symbols for locale de_BE. * @enum {string} */ goog.i18n.NumberFormatSymbols_de_BE = goog.i18n.NumberFormatSymbols_de; /** * Number formatting symbols for locale de_CH. * @enum {string} */ goog.i18n.NumberFormatSymbols_de_CH = { DECIMAL_SEP: '.', GROUP_SEP: '\'', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00;\u00A4-#,##0.00', DEF_CURRENCY_CODE: 'CHF' }; /** * Number formatting symbols for locale de_DE. * @enum {string} */ goog.i18n.NumberFormatSymbols_de_DE = goog.i18n.NumberFormatSymbols_de; /** * Number formatting symbols for locale de_LU. * @enum {string} */ goog.i18n.NumberFormatSymbols_de_LU = goog.i18n.NumberFormatSymbols_de; /** * Number formatting symbols for locale el. * @enum {string} */ goog.i18n.NumberFormatSymbols_el = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'e', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '[#E0]', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'EUR' }; /** * Number formatting symbols for locale el_GR. * @enum {string} */ goog.i18n.NumberFormatSymbols_el_GR = goog.i18n.NumberFormatSymbols_el; /** * Number formatting symbols for locale en. * @enum {string} */ goog.i18n.NumberFormatSymbols_en = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'USD' }; /** * Number formatting symbols for locale en_AS. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_AS = goog.i18n.NumberFormatSymbols_en; /** * Number formatting symbols for locale en_AU. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_AU = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'AUD' }; /** * Number formatting symbols for locale en_Dsrt_US. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_Dsrt_US = goog.i18n.NumberFormatSymbols_en; /** * Number formatting symbols for locale en_FM. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_FM = goog.i18n.NumberFormatSymbols_en; /** * Number formatting symbols for locale en_GB. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_GB = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'GBP' }; /** * Number formatting symbols for locale en_GU. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_GU = goog.i18n.NumberFormatSymbols_en; /** * Number formatting symbols for locale en_IE. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_IE = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'EUR' }; /** * Number formatting symbols for locale en_IN. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_IN = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##,##0.00', DEF_CURRENCY_CODE: 'INR' }; /** * Number formatting symbols for locale en_MH. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_MH = goog.i18n.NumberFormatSymbols_en; /** * Number formatting symbols for locale en_MP. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_MP = goog.i18n.NumberFormatSymbols_en; /** * Number formatting symbols for locale en_PR. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_PR = goog.i18n.NumberFormatSymbols_en; /** * Number formatting symbols for locale en_PW. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_PW = goog.i18n.NumberFormatSymbols_en; /** * Number formatting symbols for locale en_SG. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_SG = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'SGD' }; /** * Number formatting symbols for locale en_TC. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_TC = goog.i18n.NumberFormatSymbols_en; /** * Number formatting symbols for locale en_UM. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_UM = goog.i18n.NumberFormatSymbols_en; /** * Number formatting symbols for locale en_US. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_US = goog.i18n.NumberFormatSymbols_en; /** * Number formatting symbols for locale en_VG. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_VG = goog.i18n.NumberFormatSymbols_en; /** * Number formatting symbols for locale en_VI. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_VI = goog.i18n.NumberFormatSymbols_en; /** * Number formatting symbols for locale en_ZA. * @enum {string} */ goog.i18n.NumberFormatSymbols_en_ZA = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'ZAR' }; /** * Number formatting symbols for locale es. * @enum {string} */ goog.i18n.NumberFormatSymbols_es = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'EUR' }; /** * Number formatting symbols for locale es_419. * @enum {string} */ goog.i18n.NumberFormatSymbols_es_419 = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'MXN' }; /** * Number formatting symbols for locale es_EA. * @enum {string} */ goog.i18n.NumberFormatSymbols_es_EA = goog.i18n.NumberFormatSymbols_es; /** * Number formatting symbols for locale es_ES. * @enum {string} */ goog.i18n.NumberFormatSymbols_es_ES = goog.i18n.NumberFormatSymbols_es; /** * Number formatting symbols for locale es_IC. * @enum {string} */ goog.i18n.NumberFormatSymbols_es_IC = goog.i18n.NumberFormatSymbols_es; /** * Number formatting symbols for locale et. * @enum {string} */ goog.i18n.NumberFormatSymbols_et = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#0.00\u00A4;(#0.00\u00A4)', DEF_CURRENCY_CODE: 'EUR' }; /** * Number formatting symbols for locale et_EE. * @enum {string} */ goog.i18n.NumberFormatSymbols_et_EE = goog.i18n.NumberFormatSymbols_et; /** * Number formatting symbols for locale eu. * @enum {string} */ goog.i18n.NumberFormatSymbols_eu = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '%\u00A0#,##0', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4;(#,##0.00\u00A0\u00A4)', DEF_CURRENCY_CODE: 'EUR' }; /** * Number formatting symbols for locale eu_ES. * @enum {string} */ goog.i18n.NumberFormatSymbols_eu_ES = goog.i18n.NumberFormatSymbols_eu; /** * Number formatting symbols for locale fa. * @enum {string} */ goog.i18n.NumberFormatSymbols_fa = { DECIMAL_SEP: '\u066B', GROUP_SEP: '\u066C', PERCENT: '\u066A', ZERO_DIGIT: '\u06F0', PLUS_SIGN: '+', MINUS_SIGN: '\u2212', EXP_SYMBOL: '\u00D7\u06F1\u06F0^', PERMILL: '\u0609', INFINITY: '\u221E', NAN: '\u0646\u0627\u0639\u062F\u062F', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u200E\u00A4#,##0.00;\u200E(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'IRR' }; /** * Number formatting symbols for locale fa_IR. * @enum {string} */ goog.i18n.NumberFormatSymbols_fa_IR = goog.i18n.NumberFormatSymbols_fa; /** * Number formatting symbols for locale fi. * @enum {string} */ goog.i18n.NumberFormatSymbols_fi = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'ep\u00E4luku', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'EUR' }; /** * Number formatting symbols for locale fi_FI. * @enum {string} */ goog.i18n.NumberFormatSymbols_fi_FI = goog.i18n.NumberFormatSymbols_fi; /** * Number formatting symbols for locale fil. * @enum {string} */ goog.i18n.NumberFormatSymbols_fil = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'PHP' }; /** * Number formatting symbols for locale fil_PH. * @enum {string} */ goog.i18n.NumberFormatSymbols_fil_PH = goog.i18n.NumberFormatSymbols_fil; /** * Number formatting symbols for locale fr. * @enum {string} */ goog.i18n.NumberFormatSymbols_fr = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4;(#,##0.00\u00A0\u00A4)', DEF_CURRENCY_CODE: 'EUR' }; /** * Number formatting symbols for locale fr_BL. * @enum {string} */ goog.i18n.NumberFormatSymbols_fr_BL = goog.i18n.NumberFormatSymbols_fr; /** * Number formatting symbols for locale fr_CA. * @enum {string} */ goog.i18n.NumberFormatSymbols_fr_CA = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4;(#,##0.00\u00A0\u00A4)', DEF_CURRENCY_CODE: 'CAD' }; /** * Number formatting symbols for locale fr_FR. * @enum {string} */ goog.i18n.NumberFormatSymbols_fr_FR = goog.i18n.NumberFormatSymbols_fr; /** * Number formatting symbols for locale fr_GF. * @enum {string} */ goog.i18n.NumberFormatSymbols_fr_GF = goog.i18n.NumberFormatSymbols_fr; /** * Number formatting symbols for locale fr_GP. * @enum {string} */ goog.i18n.NumberFormatSymbols_fr_GP = goog.i18n.NumberFormatSymbols_fr; /** * Number formatting symbols for locale fr_MC. * @enum {string} */ goog.i18n.NumberFormatSymbols_fr_MC = goog.i18n.NumberFormatSymbols_fr; /** * Number formatting symbols for locale fr_MF. * @enum {string} */ goog.i18n.NumberFormatSymbols_fr_MF = goog.i18n.NumberFormatSymbols_fr; /** * Number formatting symbols for locale fr_MQ. * @enum {string} */ goog.i18n.NumberFormatSymbols_fr_MQ = goog.i18n.NumberFormatSymbols_fr; /** * Number formatting symbols for locale fr_RE. * @enum {string} */ goog.i18n.NumberFormatSymbols_fr_RE = goog.i18n.NumberFormatSymbols_fr; /** * Number formatting symbols for locale fr_YT. * @enum {string} */ goog.i18n.NumberFormatSymbols_fr_YT = goog.i18n.NumberFormatSymbols_fr; /** * Number formatting symbols for locale gl. * @enum {string} */ goog.i18n.NumberFormatSymbols_gl = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'EUR' }; /** * Number formatting symbols for locale gl_ES. * @enum {string} */ goog.i18n.NumberFormatSymbols_gl_ES = goog.i18n.NumberFormatSymbols_gl; /** * Number formatting symbols for locale gsw. * @enum {string} */ goog.i18n.NumberFormatSymbols_gsw = { DECIMAL_SEP: '.', GROUP_SEP: '\u2019', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '\u2212', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'CHF' }; /** * Number formatting symbols for locale gsw_CH. * @enum {string} */ goog.i18n.NumberFormatSymbols_gsw_CH = goog.i18n.NumberFormatSymbols_gsw; /** * Number formatting symbols for locale gu. * @enum {string} */ goog.i18n.NumberFormatSymbols_gu = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'INR' }; /** * Number formatting symbols for locale gu_IN. * @enum {string} */ goog.i18n.NumberFormatSymbols_gu_IN = goog.i18n.NumberFormatSymbols_gu; /** * Number formatting symbols for locale he. * @enum {string} */ goog.i18n.NumberFormatSymbols_he = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'ILS' }; /** * Number formatting symbols for locale he_IL. * @enum {string} */ goog.i18n.NumberFormatSymbols_he_IL = goog.i18n.NumberFormatSymbols_he; /** * Number formatting symbols for locale hi. * @enum {string} */ goog.i18n.NumberFormatSymbols_hi = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##,##0.00', DEF_CURRENCY_CODE: 'INR' }; /** * Number formatting symbols for locale hi_IN. * @enum {string} */ goog.i18n.NumberFormatSymbols_hi_IN = goog.i18n.NumberFormatSymbols_hi; /** * Number formatting symbols for locale hr. * @enum {string} */ goog.i18n.NumberFormatSymbols_hr = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'HRK' }; /** * Number formatting symbols for locale hr_HR. * @enum {string} */ goog.i18n.NumberFormatSymbols_hr_HR = goog.i18n.NumberFormatSymbols_hr; /** * Number formatting symbols for locale hu. * @enum {string} */ goog.i18n.NumberFormatSymbols_hu = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'HUF' }; /** * Number formatting symbols for locale hu_HU. * @enum {string} */ goog.i18n.NumberFormatSymbols_hu_HU = goog.i18n.NumberFormatSymbols_hu; /** * Number formatting symbols for locale id. * @enum {string} */ goog.i18n.NumberFormatSymbols_id = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'IDR' }; /** * Number formatting symbols for locale id_ID. * @enum {string} */ goog.i18n.NumberFormatSymbols_id_ID = goog.i18n.NumberFormatSymbols_id; /** * Number formatting symbols for locale in. * @enum {string} */ goog.i18n.NumberFormatSymbols_in = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'IDR' }; /** * Number formatting symbols for locale is. * @enum {string} */ goog.i18n.NumberFormatSymbols_is = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'ISK' }; /** * Number formatting symbols for locale is_IS. * @enum {string} */ goog.i18n.NumberFormatSymbols_is_IS = goog.i18n.NumberFormatSymbols_is; /** * Number formatting symbols for locale it. * @enum {string} */ goog.i18n.NumberFormatSymbols_it = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00', DEF_CURRENCY_CODE: 'EUR' }; /** * Number formatting symbols for locale it_IT. * @enum {string} */ goog.i18n.NumberFormatSymbols_it_IT = goog.i18n.NumberFormatSymbols_it; /** * Number formatting symbols for locale it_SM. * @enum {string} */ goog.i18n.NumberFormatSymbols_it_SM = goog.i18n.NumberFormatSymbols_it; /** * Number formatting symbols for locale iw. * @enum {string} */ goog.i18n.NumberFormatSymbols_iw = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'ILS' }; /** * Number formatting symbols for locale ja. * @enum {string} */ goog.i18n.NumberFormatSymbols_ja = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'JPY' }; /** * Number formatting symbols for locale ja_JP. * @enum {string} */ goog.i18n.NumberFormatSymbols_ja_JP = goog.i18n.NumberFormatSymbols_ja; /** * Number formatting symbols for locale kn. * @enum {string} */ goog.i18n.NumberFormatSymbols_kn = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: '\u0C88', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'INR' }; /** * Number formatting symbols for locale kn_IN. * @enum {string} */ goog.i18n.NumberFormatSymbols_kn_IN = goog.i18n.NumberFormatSymbols_kn; /** * Number formatting symbols for locale ko. * @enum {string} */ goog.i18n.NumberFormatSymbols_ko = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'KRW' }; /** * Number formatting symbols for locale ko_KR. * @enum {string} */ goog.i18n.NumberFormatSymbols_ko_KR = goog.i18n.NumberFormatSymbols_ko; /** * Number formatting symbols for locale ln. * @enum {string} */ goog.i18n.NumberFormatSymbols_ln = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'CDF' }; /** * Number formatting symbols for locale ln_CD. * @enum {string} */ goog.i18n.NumberFormatSymbols_ln_CD = goog.i18n.NumberFormatSymbols_ln; /** * Number formatting symbols for locale lt. * @enum {string} */ goog.i18n.NumberFormatSymbols_lt = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '\u2013', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', // Re b/8016169, there need to be a space before percent sign in lt. // Fix this temporarily before this change get into CLDR. PERCENT_PATTERN: '#,##0 %', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'LTL' }; /** * Number formatting symbols for locale lt_LT. * @enum {string} */ goog.i18n.NumberFormatSymbols_lt_LT = goog.i18n.NumberFormatSymbols_lt; /** * Number formatting symbols for locale lv. * @enum {string} */ goog.i18n.NumberFormatSymbols_lv = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'nav\u00A0skaitlis', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'LVL' }; /** * Number formatting symbols for locale lv_LV. * @enum {string} */ goog.i18n.NumberFormatSymbols_lv_LV = goog.i18n.NumberFormatSymbols_lv; /** * Number formatting symbols for locale ml. * @enum {string} */ goog.i18n.NumberFormatSymbols_ml = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##,##0%', CURRENCY_PATTERN: '#,##,##0.00\u00A4', DEF_CURRENCY_CODE: 'INR' }; /** * Number formatting symbols for locale ml_IN. * @enum {string} */ goog.i18n.NumberFormatSymbols_ml_IN = goog.i18n.NumberFormatSymbols_ml; /** * Number formatting symbols for locale mr. * @enum {string} */ goog.i18n.NumberFormatSymbols_mr = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'INR' }; /** * Number formatting symbols for locale mr_IN. * @enum {string} */ goog.i18n.NumberFormatSymbols_mr_IN = goog.i18n.NumberFormatSymbols_mr; /** * Number formatting symbols for locale ms. * @enum {string} */ goog.i18n.NumberFormatSymbols_ms = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'MYR' }; /** * Number formatting symbols for locale ms_MY. * @enum {string} */ goog.i18n.NumberFormatSymbols_ms_MY = goog.i18n.NumberFormatSymbols_ms; /** * Number formatting symbols for locale mt. * @enum {string} */ goog.i18n.NumberFormatSymbols_mt = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'EUR' }; /** * Number formatting symbols for locale mt_MT. * @enum {string} */ goog.i18n.NumberFormatSymbols_mt_MT = goog.i18n.NumberFormatSymbols_mt; /** * Number formatting symbols for locale nl. * @enum {string} */ goog.i18n.NumberFormatSymbols_nl = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00;\u00A4\u00A0#,##0.00-', DEF_CURRENCY_CODE: 'EUR' }; /** * Number formatting symbols for locale nl_CW. * @enum {string} */ goog.i18n.NumberFormatSymbols_nl_CW = goog.i18n.NumberFormatSymbols_nl; /** * Number formatting symbols for locale nl_NL. * @enum {string} */ goog.i18n.NumberFormatSymbols_nl_NL = goog.i18n.NumberFormatSymbols_nl; /** * Number formatting symbols for locale nl_SX. * @enum {string} */ goog.i18n.NumberFormatSymbols_nl_SX = goog.i18n.NumberFormatSymbols_nl; /** * Number formatting symbols for locale no. * @enum {string} */ goog.i18n.NumberFormatSymbols_no = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##0.00', DEF_CURRENCY_CODE: 'NOK' }; /** * Number formatting symbols for locale or. * @enum {string} */ goog.i18n.NumberFormatSymbols_or = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##,##0.00', DEF_CURRENCY_CODE: 'INR' }; /** * Number formatting symbols for locale or_IN. * @enum {string} */ goog.i18n.NumberFormatSymbols_or_IN = goog.i18n.NumberFormatSymbols_or; /** * Number formatting symbols for locale pl. * @enum {string} */ goog.i18n.NumberFormatSymbols_pl = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4;(#,##0.00\u00A0\u00A4)', DEF_CURRENCY_CODE: 'PLN' }; /** * Number formatting symbols for locale pl_PL. * @enum {string} */ goog.i18n.NumberFormatSymbols_pl_PL = goog.i18n.NumberFormatSymbols_pl; /** * Number formatting symbols for locale pt. * @enum {string} */ goog.i18n.NumberFormatSymbols_pt = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'BRL' }; /** * Number formatting symbols for locale pt_BR. * @enum {string} */ goog.i18n.NumberFormatSymbols_pt_BR = goog.i18n.NumberFormatSymbols_pt; /** * Number formatting symbols for locale pt_PT. * @enum {string} */ goog.i18n.NumberFormatSymbols_pt_PT = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'EUR' }; /** * Number formatting symbols for locale ro. * @enum {string} */ goog.i18n.NumberFormatSymbols_ro = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'RON' }; /** * Number formatting symbols for locale ro_RO. * @enum {string} */ goog.i18n.NumberFormatSymbols_ro_RO = goog.i18n.NumberFormatSymbols_ro; /** * Number formatting symbols for locale ru. * @enum {string} */ goog.i18n.NumberFormatSymbols_ru = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: '\u043D\u0435\u00A0\u0447\u0438\u0441\u043B\u043E', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'RUB' }; /** * Number formatting symbols for locale ru_RU. * @enum {string} */ goog.i18n.NumberFormatSymbols_ru_RU = goog.i18n.NumberFormatSymbols_ru; /** * Number formatting symbols for locale sk. * @enum {string} */ goog.i18n.NumberFormatSymbols_sk = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'EUR' }; /** * Number formatting symbols for locale sk_SK. * @enum {string} */ goog.i18n.NumberFormatSymbols_sk_SK = goog.i18n.NumberFormatSymbols_sk; /** * Number formatting symbols for locale sl. * @enum {string} */ goog.i18n.NumberFormatSymbols_sl = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'e', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'EUR' }; /** * Number formatting symbols for locale sl_SI. * @enum {string} */ goog.i18n.NumberFormatSymbols_sl_SI = goog.i18n.NumberFormatSymbols_sl; /** * Number formatting symbols for locale sq. * @enum {string} */ goog.i18n.NumberFormatSymbols_sq = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'ALL' }; /** * Number formatting symbols for locale sq_AL. * @enum {string} */ goog.i18n.NumberFormatSymbols_sq_AL = goog.i18n.NumberFormatSymbols_sq; /** * Number formatting symbols for locale sr. * @enum {string} */ goog.i18n.NumberFormatSymbols_sr = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'RSD' }; /** * Number formatting symbols for locale sr_Cyrl_RS. * @enum {string} */ goog.i18n.NumberFormatSymbols_sr_Cyrl_RS = goog.i18n.NumberFormatSymbols_sr; /** * Number formatting symbols for locale sr_Latn_RS. * @enum {string} */ goog.i18n.NumberFormatSymbols_sr_Latn_RS = goog.i18n.NumberFormatSymbols_sr; /** * Number formatting symbols for locale sv. * @enum {string} */ goog.i18n.NumberFormatSymbols_sv = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '\u2212', EXP_SYMBOL: '\u00D710^', PERMILL: '\u2030', INFINITY: '\u221E', NAN: '\u00A4\u00A4\u00A4', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0\u00A0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'SEK' }; /** * Number formatting symbols for locale sv_SE. * @enum {string} */ goog.i18n.NumberFormatSymbols_sv_SE = goog.i18n.NumberFormatSymbols_sv; /** * Number formatting symbols for locale sw. * @enum {string} */ goog.i18n.NumberFormatSymbols_sw = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'TZS' }; /** * Number formatting symbols for locale sw_TZ. * @enum {string} */ goog.i18n.NumberFormatSymbols_sw_TZ = goog.i18n.NumberFormatSymbols_sw; /** * Number formatting symbols for locale ta. * @enum {string} */ goog.i18n.NumberFormatSymbols_ta = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##,##0%', CURRENCY_PATTERN: '\u00A4\u00A0#,##,##0.00', DEF_CURRENCY_CODE: 'INR' }; /** * Number formatting symbols for locale ta_IN. * @enum {string} */ goog.i18n.NumberFormatSymbols_ta_IN = goog.i18n.NumberFormatSymbols_ta; /** * Number formatting symbols for locale te. * @enum {string} */ goog.i18n.NumberFormatSymbols_te = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'INR' }; /** * Number formatting symbols for locale te_IN. * @enum {string} */ goog.i18n.NumberFormatSymbols_te_IN = goog.i18n.NumberFormatSymbols_te; /** * Number formatting symbols for locale th. * @enum {string} */ goog.i18n.NumberFormatSymbols_th = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'THB' }; /** * Number formatting symbols for locale th_TH. * @enum {string} */ goog.i18n.NumberFormatSymbols_th_TH = goog.i18n.NumberFormatSymbols_th; /** * Number formatting symbols for locale tl. * @enum {string} */ goog.i18n.NumberFormatSymbols_tl = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'PHP' }; /** * Number formatting symbols for locale tr. * @enum {string} */ goog.i18n.NumberFormatSymbols_tr = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '%#,##0', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4;(#,##0.00\u00A0\u00A4)', DEF_CURRENCY_CODE: 'TRY' }; /** * Number formatting symbols for locale tr_TR. * @enum {string} */ goog.i18n.NumberFormatSymbols_tr_TR = goog.i18n.NumberFormatSymbols_tr; /** * Number formatting symbols for locale uk. * @enum {string} */ goog.i18n.NumberFormatSymbols_uk = { DECIMAL_SEP: ',', GROUP_SEP: '\u00A0', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: '\u0415', PERMILL: '\u2030', INFINITY: '\u221E', NAN: '\u041D\u0435\u00A0\u0447\u0438\u0441\u043B\u043E', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'UAH' }; /** * Number formatting symbols for locale uk_UA. * @enum {string} */ goog.i18n.NumberFormatSymbols_uk_UA = goog.i18n.NumberFormatSymbols_uk; /** * Number formatting symbols for locale ur. * @enum {string} */ goog.i18n.NumberFormatSymbols_ur = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'PKR' }; /** * Number formatting symbols for locale ur_PK. * @enum {string} */ goog.i18n.NumberFormatSymbols_ur_PK = goog.i18n.NumberFormatSymbols_ur; /** * Number formatting symbols for locale vi. * @enum {string} */ goog.i18n.NumberFormatSymbols_vi = { DECIMAL_SEP: ',', GROUP_SEP: '.', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '#,##0.00\u00A0\u00A4', DEF_CURRENCY_CODE: 'VND' }; /** * Number formatting symbols for locale vi_VN. * @enum {string} */ goog.i18n.NumberFormatSymbols_vi_VN = goog.i18n.NumberFormatSymbols_vi; /** * Number formatting symbols for locale zh. * @enum {string} */ goog.i18n.NumberFormatSymbols_zh = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'CNY' }; /** * Number formatting symbols for locale zh_CN. * @enum {string} */ goog.i18n.NumberFormatSymbols_zh_CN = goog.i18n.NumberFormatSymbols_zh; /** * Number formatting symbols for locale zh_HK. * @enum {string} */ goog.i18n.NumberFormatSymbols_zh_HK = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: '\u975E\u6578\u503C', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'HKD' }; /** * Number formatting symbols for locale zh_Hans_CN. * @enum {string} */ goog.i18n.NumberFormatSymbols_zh_Hans_CN = goog.i18n.NumberFormatSymbols_zh; /** * Number formatting symbols for locale zh_TW. * @enum {string} */ goog.i18n.NumberFormatSymbols_zh_TW = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: '\u975E\u6578\u503C', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00', DEF_CURRENCY_CODE: 'TWD' }; /** * Number formatting symbols for locale zu. * @enum {string} */ goog.i18n.NumberFormatSymbols_zu = { DECIMAL_SEP: '.', GROUP_SEP: ',', PERCENT: '%', ZERO_DIGIT: '0', PLUS_SIGN: '+', MINUS_SIGN: '-', EXP_SYMBOL: 'E', PERMILL: '\u2030', INFINITY: '\u221E', NAN: 'I-NaN', DECIMAL_PATTERN: '#,##0.###', SCIENTIFIC_PATTERN: '#E0', PERCENT_PATTERN: '#,##0%', CURRENCY_PATTERN: '\u00A4#,##0.00;(\u00A4#,##0.00)', DEF_CURRENCY_CODE: 'ZAR' }; /** * Number formatting symbols for locale zu_ZA. * @enum {string} */ goog.i18n.NumberFormatSymbols_zu_ZA = goog.i18n.NumberFormatSymbols_zu; /** * Selected number formatting symbols by locale. */ goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en; if (goog.LOCALE == 'af') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_af; } if (goog.LOCALE == 'af_ZA' || goog.LOCALE == 'af-ZA') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_af; } if (goog.LOCALE == 'am') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_am; } if (goog.LOCALE == 'am_ET' || goog.LOCALE == 'am-ET') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_am; } if (goog.LOCALE == 'ar') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ar; } if (goog.LOCALE == 'ar_001' || goog.LOCALE == 'ar-001') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ar; } if (goog.LOCALE == 'ar_EG' || goog.LOCALE == 'ar-EG') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ar; } if (goog.LOCALE == 'bg') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_bg; } if (goog.LOCALE == 'bg_BG' || goog.LOCALE == 'bg-BG') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_bg; } if (goog.LOCALE == 'bn') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_bn; } if (goog.LOCALE == 'bn_BD' || goog.LOCALE == 'bn-BD') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_bn; } if (goog.LOCALE == 'ca') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ca; } if (goog.LOCALE == 'ca_AD' || goog.LOCALE == 'ca-AD') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ca; } if (goog.LOCALE == 'ca_ES' || goog.LOCALE == 'ca-ES') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ca; } if (goog.LOCALE == 'cs') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_cs; } if (goog.LOCALE == 'cs_CZ' || goog.LOCALE == 'cs-CZ') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_cs; } if (goog.LOCALE == 'da') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_da; } if (goog.LOCALE == 'da_DK' || goog.LOCALE == 'da-DK') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_da; } if (goog.LOCALE == 'de') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_de; } if (goog.LOCALE == 'de_AT' || goog.LOCALE == 'de-AT') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_de_AT; } if (goog.LOCALE == 'de_BE' || goog.LOCALE == 'de-BE') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_de; } if (goog.LOCALE == 'de_CH' || goog.LOCALE == 'de-CH') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_de_CH; } if (goog.LOCALE == 'de_DE' || goog.LOCALE == 'de-DE') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_de; } if (goog.LOCALE == 'de_LU' || goog.LOCALE == 'de-LU') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_de; } if (goog.LOCALE == 'el') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_el; } if (goog.LOCALE == 'el_GR' || goog.LOCALE == 'el-GR') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_el; } if (goog.LOCALE == 'en') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en; } if (goog.LOCALE == 'en_AS' || goog.LOCALE == 'en-AS') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en; } if (goog.LOCALE == 'en_AU' || goog.LOCALE == 'en-AU') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_AU; } if (goog.LOCALE == 'en_Dsrt_US' || goog.LOCALE == 'en-Dsrt-US') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en; } if (goog.LOCALE == 'en_FM' || goog.LOCALE == 'en-FM') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en; } if (goog.LOCALE == 'en_GB' || goog.LOCALE == 'en-GB') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_GB; } if (goog.LOCALE == 'en_GU' || goog.LOCALE == 'en-GU') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en; } if (goog.LOCALE == 'en_IE' || goog.LOCALE == 'en-IE') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_IE; } if (goog.LOCALE == 'en_IN' || goog.LOCALE == 'en-IN') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_IN; } if (goog.LOCALE == 'en_MH' || goog.LOCALE == 'en-MH') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en; } if (goog.LOCALE == 'en_MP' || goog.LOCALE == 'en-MP') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en; } if (goog.LOCALE == 'en_PR' || goog.LOCALE == 'en-PR') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en; } if (goog.LOCALE == 'en_PW' || goog.LOCALE == 'en-PW') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en; } if (goog.LOCALE == 'en_SG' || goog.LOCALE == 'en-SG') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_SG; } if (goog.LOCALE == 'en_TC' || goog.LOCALE == 'en-TC') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en; } if (goog.LOCALE == 'en_UM' || goog.LOCALE == 'en-UM') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en; } if (goog.LOCALE == 'en_US' || goog.LOCALE == 'en-US') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en; } if (goog.LOCALE == 'en_VG' || goog.LOCALE == 'en-VG') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en; } if (goog.LOCALE == 'en_VI' || goog.LOCALE == 'en-VI') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en; } if (goog.LOCALE == 'en_ZA' || goog.LOCALE == 'en-ZA') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_en_ZA; } if (goog.LOCALE == 'es') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_es; } if (goog.LOCALE == 'es_419' || goog.LOCALE == 'es-419') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_es_419; } if (goog.LOCALE == 'es_EA' || goog.LOCALE == 'es-EA') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_es; } if (goog.LOCALE == 'es_ES' || goog.LOCALE == 'es-ES') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_es; } if (goog.LOCALE == 'es_IC' || goog.LOCALE == 'es-IC') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_es; } if (goog.LOCALE == 'et') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_et; } if (goog.LOCALE == 'et_EE' || goog.LOCALE == 'et-EE') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_et; } if (goog.LOCALE == 'eu') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_eu; } if (goog.LOCALE == 'eu_ES' || goog.LOCALE == 'eu-ES') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_eu; } if (goog.LOCALE == 'fa') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fa; } if (goog.LOCALE == 'fa_IR' || goog.LOCALE == 'fa-IR') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fa; } if (goog.LOCALE == 'fi') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fi; } if (goog.LOCALE == 'fi_FI' || goog.LOCALE == 'fi-FI') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fi; } if (goog.LOCALE == 'fil') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fil; } if (goog.LOCALE == 'fil_PH' || goog.LOCALE == 'fil-PH') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fil; } if (goog.LOCALE == 'fr') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fr; } if (goog.LOCALE == 'fr_BL' || goog.LOCALE == 'fr-BL') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fr; } if (goog.LOCALE == 'fr_CA' || goog.LOCALE == 'fr-CA') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fr_CA; } if (goog.LOCALE == 'fr_FR' || goog.LOCALE == 'fr-FR') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fr; } if (goog.LOCALE == 'fr_GF' || goog.LOCALE == 'fr-GF') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fr; } if (goog.LOCALE == 'fr_GP' || goog.LOCALE == 'fr-GP') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fr; } if (goog.LOCALE == 'fr_MC' || goog.LOCALE == 'fr-MC') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fr; } if (goog.LOCALE == 'fr_MF' || goog.LOCALE == 'fr-MF') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fr; } if (goog.LOCALE == 'fr_MQ' || goog.LOCALE == 'fr-MQ') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fr; } if (goog.LOCALE == 'fr_RE' || goog.LOCALE == 'fr-RE') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fr; } if (goog.LOCALE == 'fr_YT' || goog.LOCALE == 'fr-YT') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_fr; } if (goog.LOCALE == 'gl') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_gl; } if (goog.LOCALE == 'gl_ES' || goog.LOCALE == 'gl-ES') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_gl; } if (goog.LOCALE == 'gsw') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_gsw; } if (goog.LOCALE == 'gsw_CH' || goog.LOCALE == 'gsw-CH') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_gsw; } if (goog.LOCALE == 'gu') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_gu; } if (goog.LOCALE == 'gu_IN' || goog.LOCALE == 'gu-IN') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_gu; } if (goog.LOCALE == 'he') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_he; } if (goog.LOCALE == 'he_IL' || goog.LOCALE == 'he-IL') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_he; } if (goog.LOCALE == 'hi') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_hi; } if (goog.LOCALE == 'hi_IN' || goog.LOCALE == 'hi-IN') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_hi; } if (goog.LOCALE == 'hr') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_hr; } if (goog.LOCALE == 'hr_HR' || goog.LOCALE == 'hr-HR') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_hr; } if (goog.LOCALE == 'hu') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_hu; } if (goog.LOCALE == 'hu_HU' || goog.LOCALE == 'hu-HU') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_hu; } if (goog.LOCALE == 'id') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_id; } if (goog.LOCALE == 'id_ID' || goog.LOCALE == 'id-ID') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_id; } if (goog.LOCALE == 'in') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_in; } if (goog.LOCALE == 'is') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_is; } if (goog.LOCALE == 'is_IS' || goog.LOCALE == 'is-IS') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_is; } if (goog.LOCALE == 'it') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_it; } if (goog.LOCALE == 'it_IT' || goog.LOCALE == 'it-IT') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_it; } if (goog.LOCALE == 'it_SM' || goog.LOCALE == 'it-SM') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_it; } if (goog.LOCALE == 'iw') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_iw; } if (goog.LOCALE == 'ja') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ja; } if (goog.LOCALE == 'ja_JP' || goog.LOCALE == 'ja-JP') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ja; } if (goog.LOCALE == 'kn') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_kn; } if (goog.LOCALE == 'kn_IN' || goog.LOCALE == 'kn-IN') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_kn; } if (goog.LOCALE == 'ko') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ko; } if (goog.LOCALE == 'ko_KR' || goog.LOCALE == 'ko-KR') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ko; } if (goog.LOCALE == 'ln') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ln; } if (goog.LOCALE == 'ln_CD' || goog.LOCALE == 'ln-CD') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ln; } if (goog.LOCALE == 'lt') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_lt; } if (goog.LOCALE == 'lt_LT' || goog.LOCALE == 'lt-LT') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_lt; } if (goog.LOCALE == 'lv') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_lv; } if (goog.LOCALE == 'lv_LV' || goog.LOCALE == 'lv-LV') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_lv; } if (goog.LOCALE == 'ml') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ml; } if (goog.LOCALE == 'ml_IN' || goog.LOCALE == 'ml-IN') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ml; } if (goog.LOCALE == 'mr') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_mr; } if (goog.LOCALE == 'mr_IN' || goog.LOCALE == 'mr-IN') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_mr; } if (goog.LOCALE == 'ms') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ms; } if (goog.LOCALE == 'ms_MY' || goog.LOCALE == 'ms-MY') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ms; } if (goog.LOCALE == 'mt') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_mt; } if (goog.LOCALE == 'mt_MT' || goog.LOCALE == 'mt-MT') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_mt; } if (goog.LOCALE == 'nl') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_nl; } if (goog.LOCALE == 'nl_CW' || goog.LOCALE == 'nl-CW') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_nl; } if (goog.LOCALE == 'nl_NL' || goog.LOCALE == 'nl-NL') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_nl; } if (goog.LOCALE == 'nl_SX' || goog.LOCALE == 'nl-SX') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_nl; } if (goog.LOCALE == 'no') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_no; } if (goog.LOCALE == 'or') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_or; } if (goog.LOCALE == 'or_IN' || goog.LOCALE == 'or-IN') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_or; } if (goog.LOCALE == 'pl') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_pl; } if (goog.LOCALE == 'pl_PL' || goog.LOCALE == 'pl-PL') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_pl; } if (goog.LOCALE == 'pt') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_pt; } if (goog.LOCALE == 'pt_BR' || goog.LOCALE == 'pt-BR') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_pt; } if (goog.LOCALE == 'pt_PT' || goog.LOCALE == 'pt-PT') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_pt_PT; } if (goog.LOCALE == 'ro') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ro; } if (goog.LOCALE == 'ro_RO' || goog.LOCALE == 'ro-RO') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ro; } if (goog.LOCALE == 'ru') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ru; } if (goog.LOCALE == 'ru_RU' || goog.LOCALE == 'ru-RU') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ru; } if (goog.LOCALE == 'sk') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_sk; } if (goog.LOCALE == 'sk_SK' || goog.LOCALE == 'sk-SK') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_sk; } if (goog.LOCALE == 'sl') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_sl; } if (goog.LOCALE == 'sl_SI' || goog.LOCALE == 'sl-SI') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_sl; } if (goog.LOCALE == 'sq') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_sq; } if (goog.LOCALE == 'sq_AL' || goog.LOCALE == 'sq-AL') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_sq; } if (goog.LOCALE == 'sr') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_sr; } if (goog.LOCALE == 'sr_Cyrl_RS' || goog.LOCALE == 'sr-Cyrl-RS') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_sr; } if (goog.LOCALE == 'sr_Latn_RS' || goog.LOCALE == 'sr-Latn-RS') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_sr; } if (goog.LOCALE == 'sv') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_sv; } if (goog.LOCALE == 'sv_SE' || goog.LOCALE == 'sv-SE') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_sv; } if (goog.LOCALE == 'sw') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_sw; } if (goog.LOCALE == 'sw_TZ' || goog.LOCALE == 'sw-TZ') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_sw; } if (goog.LOCALE == 'ta') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ta; } if (goog.LOCALE == 'ta_IN' || goog.LOCALE == 'ta-IN') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ta; } if (goog.LOCALE == 'te') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_te; } if (goog.LOCALE == 'te_IN' || goog.LOCALE == 'te-IN') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_te; } if (goog.LOCALE == 'th') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_th; } if (goog.LOCALE == 'th_TH' || goog.LOCALE == 'th-TH') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_th; } if (goog.LOCALE == 'tl') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_tl; } if (goog.LOCALE == 'tr') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_tr; } if (goog.LOCALE == 'tr_TR' || goog.LOCALE == 'tr-TR') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_tr; } if (goog.LOCALE == 'uk') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_uk; } if (goog.LOCALE == 'uk_UA' || goog.LOCALE == 'uk-UA') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_uk; } if (goog.LOCALE == 'ur') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ur; } if (goog.LOCALE == 'ur_PK' || goog.LOCALE == 'ur-PK') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_ur; } if (goog.LOCALE == 'vi') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_vi; } if (goog.LOCALE == 'vi_VN' || goog.LOCALE == 'vi-VN') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_vi; } if (goog.LOCALE == 'zh') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_zh; } if (goog.LOCALE == 'zh_CN' || goog.LOCALE == 'zh-CN') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_zh; } if (goog.LOCALE == 'zh_HK' || goog.LOCALE == 'zh-HK') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_zh_HK; } if (goog.LOCALE == 'zh_Hans_CN' || goog.LOCALE == 'zh-Hans-CN') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_zh; } if (goog.LOCALE == 'zh_TW' || goog.LOCALE == 'zh-TW') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_zh_TW; } if (goog.LOCALE == 'zu') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_zu; } if (goog.LOCALE == 'zu_ZA' || goog.LOCALE == 'zu-ZA') { goog.i18n.NumberFormatSymbols = goog.i18n.NumberFormatSymbols_zu; }
JavaScript
// Copyright 2008 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Functions to provide timezone information for use with * date/time format. */ goog.provide('goog.i18n.TimeZone'); goog.require('goog.array'); goog.require('goog.date.DateLike'); goog.require('goog.string'); /** * TimeZone class implemented a time zone resolution and name information * source for client applications. The time zone object is initiated from * a time zone information object. Application can initiate a time zone * statically, or it may choose to initiate from a data obtained from server. * Each time zone information array is small, but the whole set of data * is too much for client application to download. If end user is allowed to * change time zone setting, dynamic retrieval should be the method to use. * In case only time zone offset is known, there is a decent fallback * that only use the time zone offset to create a TimeZone object. * A whole set of time zone information array was available under * http://go/js_locale_data. It is generated based on CLDR and * Olson time zone data base (through pytz), and will be updated timely. * * @constructor */ goog.i18n.TimeZone = function() { /** * The standard time zone id. * @type {string} * @private */ this.timeZoneId_; /** * The standard, non-daylight time zone offset, in minutes WEST of UTC. * @type {number} * @private */ this.standardOffset_; /** * An array of strings that can have 2 or 4 elements. The first two elements * are the long and short names for standard time in this time zone, and the * last two elements (if present) are the long and short names for daylight * time in this time zone. * @type {Array.<string>} * @private */ this.tzNames_; /** * This array specifies the Daylight Saving Time transitions for this time * zone. This is a flat array of numbers which are interpreted in pairs: * [time1, adjustment1, time2, adjustment2, ...] where each time is a DST * transition point given as a number of hours since 00:00 UTC, January 1, * 1970, and each adjustment is the adjustment to apply for times after the * DST transition, given as minutes EAST of UTC. * @type {Array.<number>} * @private */ this.transitions_; }; /** * The number of milliseconds in an hour. * @type {number} * @private */ goog.i18n.TimeZone.MILLISECONDS_PER_HOUR_ = 3600 * 1000; /** * Indices into the array of time zone names. * @enum {number} */ goog.i18n.TimeZone.NameType = { STD_SHORT_NAME: 0, STD_LONG_NAME: 1, DLT_SHORT_NAME: 2, DLT_LONG_NAME: 3 }; /** * This factory method creates a time zone instance. It takes either an object * containing complete time zone information, or a single number representing a * constant time zone offset. If the latter form is used, DST functionality is * not available. * * @param {number|Object} timeZoneData If this parameter is a number, it should * indicate minutes WEST of UTC to be used as a constant time zone offset. * Otherwise, it should be an object with these four fields: * <ul> * <li>id: A string ID for the time zone. * <li>std_offset: The standard time zone offset in minutes EAST of UTC. * <li>names: An array of four names (standard short name, standard long * name, daylight short name, daylight long, name) * <li>transitions: An array of numbers which are interpreted in pairs: * [time1, adjustment1, time2, adjustment2, ...] where each time is * a DST transition point given as a number of hours since 00:00 UTC, * January 1, 1970, and each adjustment is the adjustment to apply * for times after the DST transition, given as minutes EAST of UTC. * </ul> * @return {goog.i18n.TimeZone} A goog.i18n.TimeZone object for the given * time zone data. */ goog.i18n.TimeZone.createTimeZone = function(timeZoneData) { if (typeof timeZoneData == 'number') { return goog.i18n.TimeZone.createSimpleTimeZone_(timeZoneData); } var tz = new goog.i18n.TimeZone(); tz.timeZoneId_ = timeZoneData['id']; tz.standardOffset_ = -timeZoneData['std_offset']; tz.tzNames_ = timeZoneData['names']; tz.transitions_ = timeZoneData['transitions']; return tz; }; /** * This factory method creates a time zone object with a constant offset. * @param {number} timeZoneOffsetInMinutes Offset in minutes WEST of UTC. * @return {goog.i18n.TimeZone} A time zone object with the given constant * offset. Note that the time zone ID of this object will use the POSIX * convention, which has a reversed sign ("Etc/GMT+8" means UTC-8 or PST). * @private */ goog.i18n.TimeZone.createSimpleTimeZone_ = function(timeZoneOffsetInMinutes) { var tz = new goog.i18n.TimeZone(); tz.standardOffset_ = timeZoneOffsetInMinutes; tz.timeZoneId_ = goog.i18n.TimeZone.composePosixTimeZoneID_(timeZoneOffsetInMinutes); var str = goog.i18n.TimeZone.composeUTCString_(timeZoneOffsetInMinutes); tz.tzNames_ = [str, str]; tz.transitions_ = []; return tz; }; /** * Generate a GMT-relative string for a constant time zone offset. * @param {number} offset The time zone offset in minutes WEST of UTC. * @return {string} The GMT string for this offset, which will indicate * hours EAST of UTC. * @private */ goog.i18n.TimeZone.composeGMTString_ = function(offset) { var parts = ['GMT']; parts.push(offset <= 0 ? '+' : '-'); offset = Math.abs(offset); parts.push(goog.string.padNumber(Math.floor(offset / 60) % 100, 2), ':', goog.string.padNumber(offset % 60, 2)); return parts.join(''); }; /** * Generate a POSIX time zone ID for a constant time zone offset. * @param {number} offset The time zone offset in minutes WEST of UTC. * @return {string} The POSIX time zone ID for this offset, which will indicate * hours WEST of UTC. * @private */ goog.i18n.TimeZone.composePosixTimeZoneID_ = function(offset) { if (offset == 0) { return 'Etc/GMT'; } var parts = ['Etc/GMT', offset < 0 ? '-' : '+']; offset = Math.abs(offset); parts.push(Math.floor(offset / 60) % 100); offset = offset % 60; if (offset != 0) { parts.push(':', goog.string.padNumber(offset, 2)); } return parts.join(''); }; /** * Generate a UTC-relative string for a constant time zone offset. * @param {number} offset The time zone offset in minutes WEST of UTC. * @return {string} The UTC string for this offset, which will indicate * hours EAST of UTC. * @private */ goog.i18n.TimeZone.composeUTCString_ = function(offset) { if (offset == 0) { return 'UTC'; } var parts = ['UTC', offset < 0 ? '+' : '-']; offset = Math.abs(offset); parts.push(Math.floor(offset / 60) % 100); offset = offset % 60; if (offset != 0) { parts.push(':', offset); } return parts.join(''); }; /** * Convert the contents of time zone object to a timeZoneData object, suitable * for passing to goog.i18n.TimeZone.createTimeZone. * @return {Object} A timeZoneData object (see the documentation for * goog.i18n.TimeZone.createTimeZone). */ goog.i18n.TimeZone.prototype.getTimeZoneData = function() { return { 'id': this.timeZoneId_, 'std_offset': -this.standardOffset_, // note createTimeZone flips the sign 'names': goog.array.clone(this.tzNames_), // avoid aliasing the array 'transitions': goog.array.clone(this.transitions_) // avoid aliasing }; }; /** * Return the DST adjustment to the time zone offset for a given time. * While Daylight Saving Time is in effect, this number is positive. * Otherwise, it is zero. * @param {goog.date.DateLike} date The time to check. * @return {number} The DST adjustment in minutes EAST of UTC. */ goog.i18n.TimeZone.prototype.getDaylightAdjustment = function(date) { var timeInMs = Date.UTC(date.getUTCFullYear(), date.getUTCMonth(), date.getUTCDate(), date.getUTCHours(), date.getUTCMinutes()); var timeInHours = timeInMs / goog.i18n.TimeZone.MILLISECONDS_PER_HOUR_; var index = 0; while (index < this.transitions_.length && timeInHours >= this.transitions_[index]) { index += 2; } return (index == 0) ? 0 : this.transitions_[index - 1]; }; /** * Return the GMT representation of this time zone object. * @param {goog.date.DateLike} date The date for which time to retrieve * GMT string. * @return {string} GMT representation string. */ goog.i18n.TimeZone.prototype.getGMTString = function(date) { return goog.i18n.TimeZone.composeGMTString_(this.getOffset(date)); }; /** * Get the long time zone name for a given date/time. * @param {goog.date.DateLike} date The time for which to retrieve * the long time zone name. * @return {string} The long time zone name. */ goog.i18n.TimeZone.prototype.getLongName = function(date) { return this.tzNames_[this.isDaylightTime(date) ? goog.i18n.TimeZone.NameType.DLT_LONG_NAME : goog.i18n.TimeZone.NameType.STD_LONG_NAME]; }; /** * Get the time zone offset in minutes WEST of UTC for a given date/time. * @param {goog.date.DateLike} date The time for which to retrieve * the time zone offset. * @return {number} The time zone offset in minutes WEST of UTC. */ goog.i18n.TimeZone.prototype.getOffset = function(date) { return this.standardOffset_ - this.getDaylightAdjustment(date); }; /** * Get the RFC representation of the time zone for a given date/time. * @param {goog.date.DateLike} date The time for which to retrieve the * RFC time zone string. * @return {string} The RFC time zone string. */ goog.i18n.TimeZone.prototype.getRFCTimeZoneString = function(date) { var offset = -this.getOffset(date); var parts = [offset < 0 ? '-' : '+']; offset = Math.abs(offset); parts.push(goog.string.padNumber(Math.floor(offset / 60) % 100, 2), goog.string.padNumber(offset % 60, 2)); return parts.join(''); }; /** * Get the short time zone name for given date/time. * @param {goog.date.DateLike} date The time for which to retrieve * the short time zone name. * @return {string} The short time zone name. */ goog.i18n.TimeZone.prototype.getShortName = function(date) { return this.tzNames_[this.isDaylightTime(date) ? goog.i18n.TimeZone.NameType.DLT_SHORT_NAME : goog.i18n.TimeZone.NameType.STD_SHORT_NAME]; }; /** * Return the time zone ID for this time zone. * @return {string} The time zone ID. */ goog.i18n.TimeZone.prototype.getTimeZoneId = function() { return this.timeZoneId_; }; /** * Check if Daylight Saving Time is in effect at a given time in this time zone. * @param {goog.date.DateLike} date The time to check. * @return {boolean} True if Daylight Saving Time is in effect. */ goog.i18n.TimeZone.prototype.isDaylightTime = function(date) { return this.getDaylightAdjustment(date) > 0; };
JavaScript
// Copyright 2010 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Character lists and their classifications used by character * picker widget. Autogenerated from Unicode data: * https://sites/cibu/character-picker. * */ goog.provide('goog.i18n.CharPickerData'); /** * Object holding two level character organization and character listing. * @constructor */ goog.i18n.CharPickerData = function() {}; /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_SYMBOL = goog.getMsg('Symbol'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_ARROWS = goog.getMsg('Arrows'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_BRAILLE = goog.getMsg('Braille'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_CONTROL_PICTURES = goog.getMsg('Control Pictures'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_CURRENCY = goog.getMsg('Currency'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_GAME_PIECES = goog.getMsg('Game Pieces'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_GENDER_AND_GENEALOGICAL = goog.getMsg('Gender and Genealogical'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_GEOMETRIC_SHAPES = goog.getMsg('Geometric Shapes'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_KEYBOARD_AND_UI = goog.getMsg('Keyboard and UI'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_MATH = goog.getMsg('Math'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_MISCELLANEOUS = goog.getMsg('Miscellaneous'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_MUSICAL = goog.getMsg('Musical'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_STARS_ASTERISKS = goog.getMsg('Stars/Asterisks'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_SUBSCRIPT = goog.getMsg('Subscript'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_SUPERSCRIPT = goog.getMsg('Superscript'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_TECHNICAL = goog.getMsg('Technical'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_WEATHER_AND_ASTROLOGICAL = goog.getMsg('Weather and Astrological'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_YIJING_TAI_XUAN_JING = goog.getMsg('Yijing / Tai Xuan Jing'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_HISTORIC = goog.getMsg('Historic'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_COMPATIBILITY = goog.getMsg('Compatibility'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_PUNCTUATION = goog.getMsg('Punctuation'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_ASCII_BASED = goog.getMsg('ASCII Based'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_DASH_CONNECTOR = goog.getMsg('Dash/Connector'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_OTHER = goog.getMsg('Other'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_PAIRED = goog.getMsg('Paired'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_NUMBER = goog.getMsg('Number'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_DECIMAL = goog.getMsg('Decimal'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_ENCLOSED_DOTTED = goog.getMsg('Enclosed/Dotted'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_FRACTIONS_RELATED = goog.getMsg('Fractions/Related'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_FORMAT_WHITESPACE = goog.getMsg('Format & Whitespace'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_FORMAT = goog.getMsg('Format'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_VARIATION_SELECTOR = goog.getMsg('Variation Selector'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_WHITESPACE = goog.getMsg('Whitespace'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_MODIFIER = goog.getMsg('Modifier'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_ENCLOSING = goog.getMsg('Enclosing'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_NONSPACING = goog.getMsg('Nonspacing'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_SPACING = goog.getMsg('Spacing'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_LATIN = goog.getMsg('Latin'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_COMMON = goog.getMsg('Common'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_ENCLOSED = goog.getMsg('Enclosed'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_FLIPPED_MIRRORED = goog.getMsg('Flipped/Mirrored'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_PHONETICS_IPA = goog.getMsg('Phonetics (IPA)'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_PHONETICS_X_IPA = goog.getMsg('Phonetics (X-IPA)'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_OTHER_EUROPEAN_SCRIPTS = goog.getMsg('Other European Scripts'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_ARMENIAN = goog.getMsg('Armenian'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_CYRILLIC = goog.getMsg('Cyrillic'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_GEORGIAN = goog.getMsg('Georgian'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_GREEK = goog.getMsg('Greek'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_COPTIC = goog.getMsg('Coptic'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_CYPRIOT = goog.getMsg('Cypriot'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_GLAGOLITIC = goog.getMsg('Glagolitic'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_GOTHIC = goog.getMsg('Gothic'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_LINEAR_B = goog.getMsg('Linear B'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_OGHAM = goog.getMsg('Ogham'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_OLD_ITALIC = goog.getMsg('Old Italic'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_RUNIC = goog.getMsg('Runic'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_SHAVIAN = goog.getMsg('Shavian'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_AMERICAN_SCRIPTS = goog.getMsg('American Scripts'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_CANADIAN_ABORIGINAL = goog.getMsg('Canadian Aboriginal'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_CHEROKEE = goog.getMsg('Cherokee'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_DESERET = goog.getMsg('Deseret'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_AFRICAN_SCRIPTS = goog.getMsg('African Scripts'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_ETHIOPIC = goog.getMsg('Ethiopic'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_NKO = goog.getMsg('Nko'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_TIFINAGH = goog.getMsg('Tifinagh'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_VAI = goog.getMsg('Vai'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_OSMANYA = goog.getMsg('Osmanya'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_MIDDLE_EASTERN_SCRIPTS = goog.getMsg('Middle Eastern Scripts'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_ARABIC = goog.getMsg('Arabic'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_HEBREW = goog.getMsg('Hebrew'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_THAANA = goog.getMsg('Thaana'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_CARIAN = goog.getMsg('Carian'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_CUNEIFORM = goog.getMsg('Cuneiform'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_LYCIAN = goog.getMsg('Lycian'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_LYDIAN = goog.getMsg('Lydian'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_OLD_PERSIAN = goog.getMsg('Old Persian'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_PHOENICIAN = goog.getMsg('Phoenician'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_SYRIAC = goog.getMsg('Syriac'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_UGARITIC = goog.getMsg('Ugaritic'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_SOUTH_ASIAN_SCRIPTS = goog.getMsg('South Asian Scripts'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_BENGALI = goog.getMsg('Bengali'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_DEVANAGARI = goog.getMsg('Devanagari'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_GUJARATI = goog.getMsg('Gujarati'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_GURMUKHI = goog.getMsg('Gurmukhi'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_KANNADA = goog.getMsg('Kannada'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_LEPCHA = goog.getMsg('Lepcha'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_LIMBU = goog.getMsg('Limbu'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_MALAYALAM = goog.getMsg('Malayalam'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_OL_CHIKI = goog.getMsg('Ol Chiki'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_ORIYA = goog.getMsg('Oriya'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_SAURASHTRA = goog.getMsg('Saurashtra'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_SINHALA = goog.getMsg('Sinhala'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_TAMIL = goog.getMsg('Tamil'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_TELUGU = goog.getMsg('Telugu'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_TIBETAN = goog.getMsg('Tibetan'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_KHAROSHTHI = goog.getMsg('Kharoshthi'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_PHAGS_PA = goog.getMsg('Phags Pa'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_SYLOTI_NAGRI = goog.getMsg('Syloti Nagri'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_SOUTHEAST_ASIAN_SCRIPTS = goog.getMsg('Southeast Asian Scripts'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_BALINESE = goog.getMsg('Balinese'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_CHAM = goog.getMsg('Cham'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_KAYAH_LI = goog.getMsg('Kayah Li'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_KHMER = goog.getMsg('Khmer'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_LAO = goog.getMsg('Lao'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_MYANMAR = goog.getMsg('Myanmar'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_NEW_TAI_LUE = goog.getMsg('New Tai Lue'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_TAI_LE = goog.getMsg('Tai Le'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_THAI = goog.getMsg('Thai'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_BUGINESE = goog.getMsg('Buginese'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_BUHID = goog.getMsg('Buhid'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_HANUNOO = goog.getMsg('Hanunoo'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_REJANG = goog.getMsg('Rejang'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_SUNDANESE = goog.getMsg('Sundanese'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_TAGALOG = goog.getMsg('Tagalog'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_TAGBANWA = goog.getMsg('Tagbanwa'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_HANGUL = goog.getMsg('Hangul'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_OTHER_EAST_ASIAN_SCRIPTS = goog.getMsg('Other East Asian Scripts'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_BOPOMOFO = goog.getMsg('Bopomofo'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_HIRAGANA = goog.getMsg('Hiragana'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_KATAKANA = goog.getMsg('Katakana'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_MONGOLIAN = goog.getMsg('Mongolian'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_YI = goog.getMsg('Yi'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_HAN_1_STROKE_RADICALS = goog.getMsg('Han 1-Stroke Radicals'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_LESS_COMMON = goog.getMsg('Less Common'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_HAN_2_STROKE_RADICALS = goog.getMsg('Han 2-Stroke Radicals'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_HAN_3_STROKE_RADICALS = goog.getMsg('Han 3-Stroke Radicals'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_HAN_4_STROKE_RADICALS = goog.getMsg('Han 4-Stroke Radicals'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_HAN_5_STROKE_RADICALS = goog.getMsg('Han 5-Stroke Radicals'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_HAN_6_STROKE_RADICALS = goog.getMsg('Han 6-Stroke Radicals'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_HAN_7_STROKE_RADICALS = goog.getMsg('Han 7-Stroke Radicals'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_HAN_8_STROKE_RADICALS = goog.getMsg('Han 8-Stroke Radicals'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_HAN_9_STROKE_RADICALS = goog.getMsg('Han 9-Stroke Radicals'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_HAN_10_STROKE_RADICALS = goog.getMsg('Han 10-Stroke Radicals'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_HAN_11_17_STROKE_RADICALS = goog.getMsg('Han 11~17-Stroke Radicals'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_HAN_OTHER = goog.getMsg('Han - Other'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_CJK_STROKES = goog.getMsg('CJK Strokes'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_IDEOGRAPHIC_DESCRIPTION = goog.getMsg('Ideographic Description'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_NUMERICS = goog.getMsg('Numerics'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_PINYIN = goog.getMsg('Pinyin'); /** * @desc Name for a symbol or character category. Used in a pull-down list * shown to a document editing user trying to insert a special character. * Newlines are not allowed; translation should be a noun and as consise as * possible. More details: * docs/fileview?id=0B8NbxddKsFtwYjExMGJjNzgtYjkzOS00NjdiLTlmOGQtOGVhZDkyZDU5YjM4. * @type {string} */ goog.i18n.CharPickerData.MSG_CP_ALL = goog.getMsg('All'); /** * Top catagory names of character organization. * @type {Array.<string>} */ goog.i18n.CharPickerData.prototype.categories = [ goog.i18n.CharPickerData.MSG_CP_SYMBOL, goog.i18n.CharPickerData.MSG_CP_PUNCTUATION, goog.i18n.CharPickerData.MSG_CP_NUMBER, goog.i18n.CharPickerData.MSG_CP_FORMAT_WHITESPACE, goog.i18n.CharPickerData.MSG_CP_MODIFIER, goog.i18n.CharPickerData.MSG_CP_LATIN, goog.i18n.CharPickerData.MSG_CP_OTHER_EUROPEAN_SCRIPTS, goog.i18n.CharPickerData.MSG_CP_AMERICAN_SCRIPTS, goog.i18n.CharPickerData.MSG_CP_AFRICAN_SCRIPTS, goog.i18n.CharPickerData.MSG_CP_MIDDLE_EASTERN_SCRIPTS, goog.i18n.CharPickerData.MSG_CP_SOUTH_ASIAN_SCRIPTS, goog.i18n.CharPickerData.MSG_CP_SOUTHEAST_ASIAN_SCRIPTS, goog.i18n.CharPickerData.MSG_CP_HANGUL, goog.i18n.CharPickerData.MSG_CP_OTHER_EAST_ASIAN_SCRIPTS, goog.i18n.CharPickerData.MSG_CP_HAN_1_STROKE_RADICALS, goog.i18n.CharPickerData.MSG_CP_HAN_2_STROKE_RADICALS, goog.i18n.CharPickerData.MSG_CP_HAN_3_STROKE_RADICALS, goog.i18n.CharPickerData.MSG_CP_HAN_4_STROKE_RADICALS, goog.i18n.CharPickerData.MSG_CP_HAN_5_STROKE_RADICALS, goog.i18n.CharPickerData.MSG_CP_HAN_6_STROKE_RADICALS, goog.i18n.CharPickerData.MSG_CP_HAN_7_STROKE_RADICALS, goog.i18n.CharPickerData.MSG_CP_HAN_8_STROKE_RADICALS, goog.i18n.CharPickerData.MSG_CP_HAN_9_STROKE_RADICALS, goog.i18n.CharPickerData.MSG_CP_HAN_10_STROKE_RADICALS, goog.i18n.CharPickerData.MSG_CP_HAN_11_17_STROKE_RADICALS, goog.i18n.CharPickerData.MSG_CP_HAN_OTHER, goog.i18n.CharPickerData.MSG_CP_MISCELLANEOUS ]; /** * Names of subcategories. Each message this array is the * name for the corresponding subcategory specified in * {@code goog.i18n.CharPickerData.subcategories}. * @type {Array.<string>} */ goog.i18n.CharPickerData.SUBCATEGORY_NAMES_OF_SYMBOL = [ goog.i18n.CharPickerData.MSG_CP_ARROWS, goog.i18n.CharPickerData.MSG_CP_BRAILLE, goog.i18n.CharPickerData.MSG_CP_CONTROL_PICTURES, goog.i18n.CharPickerData.MSG_CP_CURRENCY, goog.i18n.CharPickerData.MSG_CP_GAME_PIECES, goog.i18n.CharPickerData.MSG_CP_GENDER_AND_GENEALOGICAL, goog.i18n.CharPickerData.MSG_CP_GEOMETRIC_SHAPES, goog.i18n.CharPickerData.MSG_CP_KEYBOARD_AND_UI, goog.i18n.CharPickerData.MSG_CP_MATH, goog.i18n.CharPickerData.MSG_CP_MISCELLANEOUS, goog.i18n.CharPickerData.MSG_CP_MUSICAL, goog.i18n.CharPickerData.MSG_CP_STARS_ASTERISKS, goog.i18n.CharPickerData.MSG_CP_SUBSCRIPT, goog.i18n.CharPickerData.MSG_CP_SUPERSCRIPT, goog.i18n.CharPickerData.MSG_CP_TECHNICAL, goog.i18n.CharPickerData.MSG_CP_WEATHER_AND_ASTROLOGICAL, goog.i18n.CharPickerData.MSG_CP_YIJING_TAI_XUAN_JING, goog.i18n.CharPickerData.MSG_CP_HISTORIC, goog.i18n.CharPickerData.MSG_CP_COMPATIBILITY ]; /** * List of characters in base88 encoding scheme. Each base88 encoded * charater string represents corresponding subcategory specified in * {@code goog.i18n.CharPickerData.subcategories}. Encoding * scheme is described in {@code goog.i18n.CharListDecompressor}. * @type {Array.<string>} */ goog.i18n.CharPickerData.CHARLIST_OF_SYMBOL = [ '2>807A;f10O728F1f4V1PNF2Wd78?PZl1%2l2', ';oA0FN', '(j90d3', 'H3XBMgq30w<40F2Y:Z0;+M01E]J6O6', 'Q6A06f5#1H2,]4M9Psv+V1I.V1@3W}8', '2JA0sOc', '2+90FN2U10t2H3kg3u0%E6OW6', ';O906$UGv771.Uv46', 'w010EGX26G6D010f1E:2v2894WX3:2v+]lEQ?60f2E11OH1P1M]1U11U]571WO6WUv1u,8OUmO6G68E8cOF18H6Ue6WGGu:26G8:2NO$M:16H8%2V28H211cvg.]4s9AnU?8ON4PNdkX4-1Gc^RO1t78V686GG6GM8|88k8-58MGs8k8d28M8U8Ok8-UGdQGd4bZw0:;c8%Ef1Ev28v28]BmM', '1F68W8e2>90c8GN3]3uV1[72$Ef1E.U8t18W728M8MG-1148MO!GkgOv0', ';DA0k2mO1NM[d3Gl5O!f16ut2WN4', 'oUA0k873g510E', 'I)B0>E30N18U', 'XFX1x6e1oUg2701+6G|nE8I030QjW0', 'A-80PdsWF1GMG6$l7H1!%2N2G|mk]7?', 'Q4A0F1mv3}1v8,uU', 'YnK0#5A>E1-7', 'I{)0%4!P7|%4}3', '(PD0MAbU1}2P1!' ]; /** * Names of subcategories. Each message this array is the * name for the corresponding subcategory specified in * {@code goog.i18n.CharPickerData.subcategories}. * @type {Array.<string>} */ goog.i18n.CharPickerData.SUBCATEGORY_NAMES_OF_PUNCTUATION = [ goog.i18n.CharPickerData.MSG_CP_ASCII_BASED, goog.i18n.CharPickerData.MSG_CP_DASH_CONNECTOR, goog.i18n.CharPickerData.MSG_CP_OTHER, goog.i18n.CharPickerData.MSG_CP_PAIRED, goog.i18n.CharPickerData.MSG_CP_HISTORIC, goog.i18n.CharPickerData.MSG_CP_COMPATIBILITY ]; /** * List of characters in base88 encoding scheme. Each base88 encoded * charater string represents corresponding subcategory specified in * {@code goog.i18n.CharPickerData.subcategories}. Encoding * scheme is described in {@code goog.i18n.CharListDecompressor}. * @type {Array.<string>} */ goog.i18n.CharPickerData.CHARLIST_OF_PUNCTUATION = [ ']2E8EG886[6O6f2H6]1u', '14f4gX808M%36%1gu30', '(s70:<.MO$EGGG8OEms88Iu3068G6n1', 'n36f48v2894X1;P80sP26[6^>10F1H76:2,va@1%5M]26;7106G,Q)s06', 'gm808kIr3072v1U8A(t06', 'Ig80e91E91686W8$EH1X36P162pw0,12-1G|8F18W86nDE8c8M[6O6X2E8f2886' ]; /** * Names of subcategories. Each message this array is the * name for the corresponding subcategory specified in * {@code goog.i18n.CharPickerData.subcategories}. * @type {Array.<string>} */ goog.i18n.CharPickerData.SUBCATEGORY_NAMES_OF_NUMBER = [ goog.i18n.CharPickerData.MSG_CP_DECIMAL, goog.i18n.CharPickerData.MSG_CP_ENCLOSED_DOTTED, goog.i18n.CharPickerData.MSG_CP_FRACTIONS_RELATED, goog.i18n.CharPickerData.MSG_CP_OTHER, goog.i18n.CharPickerData.MSG_CP_HISTORIC, goog.i18n.CharPickerData.MSG_CP_COMPATIBILITY ]; /** * List of characters in base88 encoding scheme. Each base88 encoded * charater string represents corresponding subcategory specified in * {@code goog.i18n.CharPickerData.subcategories}. Encoding * scheme is described in {@code goog.i18n.CharListDecompressor}. * @type {Array.<string>} */ goog.i18n.CharPickerData.CHARLIST_OF_NUMBER = [ 'P4,At10,HC,1I,fb,%A,%A,%A,%A,%A,%A,%A,%A,XK,%A,X6,PP,X6,Q]10,f3,PR,vB?1F,m,nG,]K,m,Yca0,vz,f3,1I,%A,]a,', 'gs90V597@1Pvt2g+20,%2s8N1]2,n3N1', '9G6eGEoX80Ocm,1IV1%3', 'ot20cvjE9Ck]Lcvd,^910#1oF10,(V60P2!QZV0,9Ts8^aP0sHn6%JsH2s](#2^5q0l1', 'o560EgM10,Yk10EGMo230w6u0}39175n1:aMv2$HCUXI,^E10cnQso,60@8', 'w.80-2o?30EHVM2Us0,w{#0?' ]; /** * Names of subcategories. Each message this array is the * name for the corresponding subcategory specified in * {@code goog.i18n.CharPickerData.subcategories}. * @type {Array.<string>} */ goog.i18n.CharPickerData.SUBCATEGORY_NAMES_OF_FORMAT_WHITESPACE = [ goog.i18n.CharPickerData.MSG_CP_FORMAT, goog.i18n.CharPickerData.MSG_CP_VARIATION_SELECTOR, goog.i18n.CharPickerData.MSG_CP_WHITESPACE, goog.i18n.CharPickerData.MSG_CP_HISTORIC, goog.i18n.CharPickerData.MSG_CP_COMPATIBILITY ]; /** * List of characters in base88 encoding scheme. Each base88 encoded * charater string represents corresponding subcategory specified in * {@code goog.i18n.CharPickerData.subcategories}. Encoding * scheme is described in {@code goog.i18n.CharListDecompressor}. * @type {Array.<string>} */ goog.i18n.CharPickerData.CHARLIST_OF_FORMAT_WHITESPACE = [ 'vF;Z10Mwx406^H20UX2Uf4Ugn#0;`o0sbwt0vME', ']=gg50E^$zA#LDF1AV1', ':2;S60gC206', 'w-10f4^#206IV10(970', 'fEAQ80?P3P4wB40^@s0' ]; /** * Names of subcategories. Each message this array is the * name for the corresponding subcategory specified in * {@code goog.i18n.CharPickerData.subcategories}. * @type {Array.<string>} */ goog.i18n.CharPickerData.SUBCATEGORY_NAMES_OF_MODIFIER = [ goog.i18n.CharPickerData.MSG_CP_ENCLOSING, goog.i18n.CharPickerData.MSG_CP_NONSPACING, goog.i18n.CharPickerData.MSG_CP_SPACING, goog.i18n.CharPickerData.MSG_CP_HISTORIC, goog.i18n.CharPickerData.MSG_CP_COMPATIBILITY ]; /** * List of characters in base88 encoding scheme. Each base88 encoded * charater string represents corresponding subcategory specified in * {@code goog.i18n.CharPickerData.subcategories}. Encoding * scheme is described in {@code goog.i18n.CharListDecompressor}. * @type {Array.<string>} */ goog.i18n.CharPickerData.CHARLIST_OF_MODIFIER = [ '(y80M8E', '%+#5GG,8t1(#60E8718kWfJ,P4v%71WO|oWQ1En1sGk%2MT_t0k', 'f!!^)30(C30f1H5E8?8l18d2X4N32D40XH', '%?71HP62x60M[F2926^Py0', 'n<686' ]; /** * Names of subcategories. Each message this array is the * name for the corresponding subcategory specified in * {@code goog.i18n.CharPickerData.subcategories}. * @type {Array.<string>} */ goog.i18n.CharPickerData.SUBCATEGORY_NAMES_OF_LATIN = [ goog.i18n.CharPickerData.MSG_CP_COMMON, goog.i18n.CharPickerData.MSG_CP_ENCLOSED, goog.i18n.CharPickerData.MSG_CP_FLIPPED_MIRRORED, goog.i18n.CharPickerData.MSG_CP_OTHER, goog.i18n.CharPickerData.MSG_CP_PHONETICS_IPA, goog.i18n.CharPickerData.MSG_CP_PHONETICS_X_IPA, goog.i18n.CharPickerData.MSG_CP_HISTORIC, goog.i18n.CharPickerData.MSG_CP_COMPATIBILITY ]; /** * List of characters in base88 encoding scheme. Each base88 encoded * charater string represents corresponding subcategory specified in * {@code goog.i18n.CharPickerData.subcategories}. Encoding * scheme is described in {@code goog.i18n.CharListDecompressor}. * @type {Array.<string>} */ goog.i18n.CharPickerData.CHARLIST_OF_LATIN = [ ':5N2mN2P6}18#28V1G,GcGcGcGMW68cGsO6GcGMGMG6GMGd1G$W$6m6H16X9M15O8%c86$N2G8d2G86W86956g<60cH2878Lf706Gf6', '^x90}6^yX1#2G118GOOU$uP286G[MG', ']r=i1jKjnjQq40L!401GCpwGi0Trh04pM83:liJK1qQMnmaJQE10jm10(;50Lj50wX50{W50A1i0TJd0bB506(T40v]a8zE50I0105010IUi0{Zh0:7=w*Uc:V%Dih:h`h9X%B41n1WSL1Qau9q`jh_Bnm4lPm*mHn6amfmSmH6;+80j630Lj50wX50{W50QW80P1T#806f=^Y40(d30gtZ0bUi06AL10D9102g70+M70(#80+q80P3*jA#80{z80', ']N6[6m6m6m6m6Gn1O6m6W6W6G6W6v186GM8688sGcGUGGEGk]1F3OE8-2md4A570@3%5718}2H9lBm#1Xyf2o]20}1u62cW0F1v6N1O6zIi081s868EG68s8E8EGcu8E8UGEw^60-41293N3v!H1f1U9AO11G6e6O88m11X186IWZ072f9E', '%8N2%96$uH4H3u:9M%CF28718M868UO?86G68E8868GHOeP1SPE8GW11OO6918Of26868886OV3WU%2Wg|70EO6', '1uH1WGeE11G6GO8G868s', 'HZ6uP268691s15P361Jd1oQ7068H8cHw!Y?20kAZW0sH26P1l6:BU', 'HF8WWO8:A6116v5H6!P3E%KcA170!nR6vtM8E8?86GUGE8O8M8E86W8.U12-2Qd40HBMvE,et8:2Qtq0kg710N2mN2' ]; /** * Names of subcategories. Each message this array is the * name for the corresponding subcategory specified in * {@code goog.i18n.CharPickerData.subcategories}. * @type {Array.<string>} */ goog.i18n.CharPickerData.SUBCATEGORY_NAMES_OF_OTHER_EUROPEAN_SCRIPTS = [ goog.i18n.CharPickerData.MSG_CP_ARMENIAN, goog.i18n.CharPickerData.MSG_CP_CYRILLIC, goog.i18n.CharPickerData.MSG_CP_GEORGIAN, goog.i18n.CharPickerData.MSG_CP_GREEK, goog.i18n.CharPickerData.MSG_CP_HISTORIC + ' - ' + goog.i18n.CharPickerData.MSG_CP_COPTIC, goog.i18n.CharPickerData.MSG_CP_HISTORIC + ' - ' + goog.i18n.CharPickerData.MSG_CP_CYPRIOT, goog.i18n.CharPickerData.MSG_CP_HISTORIC + ' - ' + goog.i18n.CharPickerData.MSG_CP_CYRILLIC, goog.i18n.CharPickerData.MSG_CP_HISTORIC + ' - ' + goog.i18n.CharPickerData.MSG_CP_GEORGIAN, goog.i18n.CharPickerData.MSG_CP_HISTORIC + ' - ' + goog.i18n.CharPickerData.MSG_CP_GLAGOLITIC, goog.i18n.CharPickerData.MSG_CP_HISTORIC + ' - ' + goog.i18n.CharPickerData.MSG_CP_GOTHIC, goog.i18n.CharPickerData.MSG_CP_HISTORIC + ' - ' + goog.i18n.CharPickerData.MSG_CP_GREEK, goog.i18n.CharPickerData.MSG_CP_HISTORIC + ' - ' + goog.i18n.CharPickerData.MSG_CP_LINEAR_B, goog.i18n.CharPickerData.MSG_CP_HISTORIC + ' - ' + goog.i18n.CharPickerData.MSG_CP_OGHAM, goog.i18n.CharPickerData.MSG_CP_HISTORIC + ' - ' + goog.i18n.CharPickerData.MSG_CP_OLD_ITALIC, goog.i18n.CharPickerData.MSG_CP_HISTORIC + ' - ' + goog.i18n.CharPickerData.MSG_CP_RUNIC, goog.i18n.CharPickerData.MSG_CP_HISTORIC + ' - ' + goog.i18n.CharPickerData.MSG_CP_SHAVIAN, goog.i18n.CharPickerData.MSG_CP_COMPATIBILITY + ' - ' + goog.i18n.CharPickerData.MSG_CP_ARMENIAN, goog.i18n.CharPickerData.MSG_CP_COMPATIBILITY + ' - ' + goog.i18n.CharPickerData.MSG_CP_GREEK ]; /** * List of characters in base88 encoding scheme. Each base88 encoded * charater string represents corresponding subcategory specified in * {@code goog.i18n.CharPickerData.subcategories}. Encoding * scheme is described in {@code goog.i18n.CharListDecompressor}. * @type {Array.<string>} */ goog.i18n.CharPickerData.CHARLIST_OF_OTHER_EUROPEAN_SCRIPTS = [ '(W10V3[V32Bg0l3zIg0k%36QEg0s', '2510#B$7E4uHfWE', 'Id40@2mML230Y230', ']]8E88#18@3P3$wC70@1GcGV3GcGs8888l1888888O#48U8eE8E88OEOUeE8k8eE8E88{l706W', 'Q210F12$A0NAuk', '^-+0cG8@386OG', '^G106g^A0-2o,V0-2Gl1$d2', ';Y40V3]3cW2a70V3', '^tB0F48F4', '^l*0V2', ']@MG6OEX7EO71f18GU8E;{(0#6YBt0N6', '(z)0|8N28t1868N1GF1937B', 'o_50l2', 'oh*0#28M', 'g|50N7', 'A;*0N4', 'oe10g^$0U', 'XG%$e68%6Ef26OoN70888888n58Uu88EOu8EOu8E.886:Q' ]; /** * Names of subcategories. Each message this array is the * name for the corresponding subcategory specified in * {@code goog.i18n.CharPickerData.subcategories}. * @type {Array.<string>} */ goog.i18n.CharPickerData.SUBCATEGORY_NAMES_OF_AMERICAN_SCRIPTS = [ goog.i18n.CharPickerData.MSG_CP_CANADIAN_ABORIGINAL, goog.i18n.CharPickerData.MSG_CP_CHEROKEE, goog.i18n.CharPickerData.MSG_CP_HISTORIC + ' - ' + goog.i18n.CharPickerData.MSG_CP_DESERET ]; /** * List of characters in base88 encoding scheme. Each base88 encoded * charater string represents corresponding subcategory specified in * {@code goog.i18n.CharPickerData.subcategories}. Encoding * scheme is described in {@code goog.i18n.CharListDecompressor}. * @type {Array.<string>} */ goog.i18n.CharPickerData.CHARLIST_OF_AMERICAN_SCRIPTS = [ 'gP50NuGd1]oN6TR10Xu6', 'wG50t7', ';(*0F7' ]; /** * Names of subcategories. Each message this array is the * name for the corresponding subcategory specified in * {@code goog.i18n.CharPickerData.subcategories}. * @type {Array.<string>} */ goog.i18n.CharPickerData.SUBCATEGORY_NAMES_OF_AFRICAN_SCRIPTS = [ goog.i18n.CharPickerData.MSG_CP_ETHIOPIC, goog.i18n.CharPickerData.MSG_CP_NKO, goog.i18n.CharPickerData.MSG_CP_TIFINAGH, goog.i18n.CharPickerData.MSG_CP_VAI, goog.i18n.CharPickerData.MSG_CP_HISTORIC + ' - ' + goog.i18n.CharPickerData.MSG_CP_NKO, goog.i18n.CharPickerData.MSG_CP_HISTORIC + ' - ' + goog.i18n.CharPickerData.MSG_CP_OSMANYA ]; /** * List of characters in base88 encoding scheme. Each base88 encoded * charater string represents corresponding subcategory specified in * {@code goog.i18n.CharPickerData.subcategories}. Encoding * scheme is described in {@code goog.i18n.CharListDecompressor}. * @type {Array.<string>} */ goog.i18n.CharPickerData.CHARLIST_OF_AFRICAN_SCRIPTS = [ ';(40l68MGk88MGt38MG@28MGk88MGN18758MG}5X3V1w<60}1.k8k8k8k8k8k8k8kr070t2%1,', 'I520t2i3,13V1', 'o_B0-4.', '^th0NOWV1[6*2Mf1,', '^720E', 'g?*0t2G,' ]; /** * Names of subcategories. Each message this array is the * name for the corresponding subcategory specified in * {@code goog.i18n.CharPickerData.subcategories}. * @type {Array.<string>} */ goog.i18n.CharPickerData.SUBCATEGORY_NAMES_OF_MIDDLE_EASTERN_SCRIPTS = [ goog.i18n.CharPickerData.MSG_CP_ARABIC, goog.i18n.CharPickerData.MSG_CP_HEBREW, goog.i18n.CharPickerData.MSG_CP_THAANA, goog.i18n.CharPickerData.MSG_CP_HISTORIC + ' - ' + goog.i18n.CharPickerData.MSG_CP_ARABIC, goog.i18n.CharPickerData.MSG_CP_HISTORIC + ' - ' + goog.i18n.CharPickerData.MSG_CP_CARIAN, goog.i18n.CharPickerData.MSG_CP_HISTORIC + ' - ' + goog.i18n.CharPickerData.MSG_CP_CUNEIFORM, goog.i18n.CharPickerData.MSG_CP_HISTORIC + ' - ' + goog.i18n.CharPickerData.MSG_CP_HEBREW, goog.i18n.CharPickerData.MSG_CP_HISTORIC + ' - ' + goog.i18n.CharPickerData.MSG_CP_LYCIAN, goog.i18n.CharPickerData.MSG_CP_HISTORIC + ' - ' + goog.i18n.CharPickerData.MSG_CP_LYDIAN, goog.i18n.CharPickerData.MSG_CP_HISTORIC + ' - ' + goog.i18n.CharPickerData.MSG_CP_OLD_PERSIAN, goog.i18n.CharPickerData.MSG_CP_HISTORIC + ' - ' + goog.i18n.CharPickerData.MSG_CP_PHOENICIAN, goog.i18n.CharPickerData.MSG_CP_HISTORIC + ' - ' + goog.i18n.CharPickerData.MSG_CP_SYRIAC, goog.i18n.CharPickerData.MSG_CP_HISTORIC + ' - ' + goog.i18n.CharPickerData.MSG_CP_UGARITIC, goog.i18n.CharPickerData.MSG_CP_COMPATIBILITY + ' - ' + goog.i18n.CharPickerData.MSG_CP_ARABIC, goog.i18n.CharPickerData.MSG_CP_COMPATIBILITY + ' - ' + goog.i18n.CharPickerData.MSG_CP_HEBREW ]; /** * List of characters in base88 encoding scheme. Each base88 encoded * charater string represents corresponding subcategory specified in * {@code goog.i18n.CharPickerData.subcategories}. Encoding * scheme is described in {@code goog.i18n.CharListDecompressor}. * @type {Array.<string>} */ goog.i18n.CharPickerData.CHARLIST_OF_MIDDLE_EASTERN_SCRIPTS = [ 'os10N2m,f3MW-18F68H26[EGP774g7g0N6oDN05!%0MGN1mG6]2[#18F1G19f2,O62t606IwZ0l1oUR0#25W40', 'Il10V2eE`5#1P46o:$0', 'g|10V311KcP1O:5,%S?', 'gr10c]2UH46%2f6k8V19D6', ';Y*0V4', 'gE=0-@HD@8H1M', 'gf10#2:1M;>$0!f3', '^V*0l2', 'AA,0N2e', 'Aw*0F3WF1', 'I7,0d2O', 'wq10P1O]2[?X21DF18V5GE', 'It*0t28', 'I!10MA($0-813@Wv1#5G-4v371fAE88FC', '2a(08.F18U886868!' ]; /** * Names of subcategories. Each message this array is the * name for the corresponding subcategory specified in * {@code goog.i18n.CharPickerData.subcategories}. * @type {Array.<string>} */ goog.i18n.CharPickerData.SUBCATEGORY_NAMES_OF_SOUTH_ASIAN_SCRIPTS = [ goog.i18n.CharPickerData.MSG_CP_BENGALI, goog.i18n.CharPickerData.MSG_CP_DEVANAGARI, goog.i18n.CharPickerData.MSG_CP_GUJARATI, goog.i18n.CharPickerData.MSG_CP_GURMUKHI, goog.i18n.CharPickerData.MSG_CP_KANNADA, goog.i18n.CharPickerData.MSG_CP_LEPCHA, goog.i18n.CharPickerData.MSG_CP_LIMBU, goog.i18n.CharPickerData.MSG_CP_MALAYALAM, goog.i18n.CharPickerData.MSG_CP_OL_CHIKI, goog.i18n.CharPickerData.MSG_CP_ORIYA, goog.i18n.CharPickerData.MSG_CP_SAURASHTRA, goog.i18n.CharPickerData.MSG_CP_SINHALA, goog.i18n.CharPickerData.MSG_CP_TAMIL, goog.i18n.CharPickerData.MSG_CP_TELUGU, goog.i18n.CharPickerData.MSG_CP_TIBETAN, goog.i18n.CharPickerData.MSG_CP_HISTORIC, goog.i18n.CharPickerData.MSG_CP_HISTORIC + ' - ' + goog.i18n.CharPickerData.MSG_CP_KANNADA, goog.i18n.CharPickerData.MSG_CP_HISTORIC + ' - ' + goog.i18n.CharPickerData.MSG_CP_KHAROSHTHI, goog.i18n.CharPickerData.MSG_CP_HISTORIC + ' - ' + goog.i18n.CharPickerData.MSG_CP_PHAGS_PA, goog.i18n.CharPickerData.MSG_CP_HISTORIC + ' - ' + goog.i18n.CharPickerData.MSG_CP_SYLOTI_NAGRI, goog.i18n.CharPickerData.MSG_CP_COMPATIBILITY + ' - ' + goog.i18n.CharPickerData.MSG_CP_BENGALI, goog.i18n.CharPickerData.MSG_CP_COMPATIBILITY + ' - ' + goog.i18n.CharPickerData.MSG_CP_DEVANAGARI, goog.i18n.CharPickerData.MSG_CP_COMPATIBILITY + ' - ' + goog.i18n.CharPickerData.MSG_CP_GURMUKHI, goog.i18n.CharPickerData.MSG_CP_COMPATIBILITY + ' - ' + goog.i18n.CharPickerData.MSG_CP_ORIYA, goog.i18n.CharPickerData.MSG_CP_COMPATIBILITY + ' - ' + goog.i18n.CharPickerData.MSG_CP_TIBETAN ]; /** * List of characters in base88 encoding scheme. Each base88 encoded * charater string represents corresponding subcategory specified in * {@code goog.i18n.CharPickerData.subcategories}. Encoding * scheme is described in {@code goog.i18n.CharListDecompressor}. * @type {Array.<string>} */ goog.i18n.CharPickerData.CHARLIST_OF_SOUTH_ASIAN_SCRIPTS = [ 'gj20sG6G@18k8OMOf1n16P16*C6f2E958kG6GE.[6G,G,:*6g4506', '(X20-4Ov1X16f1mk(Eg0cODRg0M958d1GU91V1X]6g4506IGa0l1mE', '(*20!8E8@18k868UOv1X16y8E958s8E8E:16G,8fk6g4506', 'Av20cW6G@18k8GG693]1EyO69EE958UW6GEO:1|O%v6g4506', 'QR30s8E8}18,8UO936q86958k8E8Mu6116G,86g4506', 'oZ70F3%3E=3#1ON1', '(r60l2O|W|WO|', '^c30s8E8}18V1O936H2cSB6P5k8E8M.[6GV1OI[406', '(h70t2i3,%2s', 'Y[20sG6G@18k868UO13EX1yl6XbE958kG6GE$6[6G?]Y6g4506', 'oni0d4q46n4d1.|', 'oo30l1O728!8GkC66X6Wc88sv1E2+406', ';3308cOE8MO6886O6OEO|1247X5UOE8M.P1-1', 'wF30s8E8}18,8UOX26m6y8EP5k8E8Mu6116G,$sPA6g4506', '2{30%5E8M8M8M8M8M8|8Ef2MiC?8l4f468ek8c$E8M8M8M8M8M8|8E8N18k(i806e,Gs', '(u70M8M5f30M', 'YZ30', 'gU,0M86es8E8V2WEW!$!', 'wU6068AU606e,Gs2*V0}4w|M0M', '(bi0@3', 'Yr2068', 'Yf20s', 'Qz20G93EG', 'Q0306', 'A|30]4.WWW91.868$n1.WWW91YX#0M' ]; /** * Names of subcategories. Each message this array is the * name for the corresponding subcategory specified in * {@code goog.i18n.CharPickerData.subcategories}. * @type {Array.<string>} */ goog.i18n.CharPickerData.SUBCATEGORY_NAMES_OF_SOUTHEAST_ASIAN_SCRIPTS = [ goog.i18n.CharPickerData.MSG_CP_BALINESE, goog.i18n.CharPickerData.MSG_CP_CHAM, goog.i18n.CharPickerData.MSG_CP_KAYAH_LI, goog.i18n.CharPickerData.MSG_CP_KHMER, goog.i18n.CharPickerData.MSG_CP_LAO, goog.i18n.CharPickerData.MSG_CP_MYANMAR, goog.i18n.CharPickerData.MSG_CP_NEW_TAI_LUE, goog.i18n.CharPickerData.MSG_CP_TAI_LE, goog.i18n.CharPickerData.MSG_CP_THAI, goog.i18n.CharPickerData.MSG_CP_HISTORIC + ' - ' + goog.i18n.CharPickerData.MSG_CP_BUGINESE, goog.i18n.CharPickerData.MSG_CP_HISTORIC + ' - ' + goog.i18n.CharPickerData.MSG_CP_BUHID, goog.i18n.CharPickerData.MSG_CP_HISTORIC + ' - ' + goog.i18n.CharPickerData.MSG_CP_HANUNOO, goog.i18n.CharPickerData.MSG_CP_HISTORIC + ' - ' + goog.i18n.CharPickerData.MSG_CP_KHMER, goog.i18n.CharPickerData.MSG_CP_HISTORIC + ' - ' + goog.i18n.CharPickerData.MSG_CP_REJANG, goog.i18n.CharPickerData.MSG_CP_HISTORIC + ' - ' + goog.i18n.CharPickerData.MSG_CP_SUNDANESE, goog.i18n.CharPickerData.MSG_CP_HISTORIC + ' - ' + goog.i18n.CharPickerData.MSG_CP_TAGALOG, goog.i18n.CharPickerData.MSG_CP_HISTORIC + ' - ' + goog.i18n.CharPickerData.MSG_CP_TAGBANWA ]; /** * List of characters in base88 encoding scheme. Each base88 encoded * charater string represents corresponding subcategory specified in * {@code goog.i18n.CharPickerData.subcategories}. Encoding * scheme is described in {@code goog.i18n.CharListDecompressor}. * @type {Array.<string>} */ goog.i18n.CharPickerData.CHARLIST_OF_SOUTHEAST_ASIAN_SCRIPTS = [ '(C70F4n1k*6UP4d111}3', 'Q`i0t392E8s43F191$6G,GM', '^zi0d2S3,n2,', ';I6073GE8?v3q3l28,W,m,Hi-2', 'g:3068G68GmM8k8E88G68M86.GU926`3Gc86.8cG,', 'QK40-3:1f1cWMOO6uEW7191(xe0V18cOD-e0#18V1mMWE8EGkOMH1|8d1wxe0mE8', 'Y%60@3]1k42d1u6m?O6', '2z60t2GU', ';z30N48691c*1Gk11@1', '2>60d2G6', '2C606.#1', 'AA60}1', 'gM60v311', 'Y%i0F311', '^N70-3O|', 'I760718k]26', '2C606%3718E86' ]; /** * Names of subcategories. Each message this array is the * name for the corresponding subcategory specified in * {@code goog.i18n.CharPickerData.subcategories}. * @type {Array.<string>} */ goog.i18n.CharPickerData.SUBCATEGORY_NAMES_OF_HANGUL = [ goog.i18n.CharPickerData.MSG_CP_OTHER, '\u1100', '\u1102', '\u1103', '\u1105', '\u1106', '\u1107', '\u1109', '\u110B', '\u110C', '\u110E', '\u110F', '\u1110', '\u1111', '\u1112', '\u1159', goog.i18n.CharPickerData.MSG_CP_HISTORIC, goog.i18n.CharPickerData.MSG_CP_COMPATIBILITY ]; /** * List of characters in base88 encoding scheme. Each base88 encoded * charater string represents corresponding subcategory specified in * {@code goog.i18n.CharPickerData.subcategories}. Encoding * scheme is described in {@code goog.i18n.CharListDecompressor}. * @type {Array.<string>} */ goog.i18n.CharPickerData.CHARLIST_OF_HANGUL = [ 'ozC0:42Pi0}1WV4Lbi0MO,8F1H1EmeEPqQ?r06', ';gj0}}-I', '(zk0Vr', '(+i0MAj20}}-I', 'A,i0?2#30Vr', 'A-i0EIS40Vr', 'Y-i0EY]40}}-I', 'w-i0IC60}}-I', '(-i06^U70Vr', '^-i0Q`70}}-I', 'I}r0Vr', 'wqs0Vr', '2.i02YA0Vr', 'A.i0Y}A0Vr', 'I.i0(qB0Vr', 'Q.i0', 'oh40FN^L80d8', 'oJD0#2]5#2IGs0MX5#2OcGcGcGE' ]; /** * Names of subcategories. Each message this array is the * name for the corresponding subcategory specified in * {@code goog.i18n.CharPickerData.subcategories}. * @type {Array.<string>} */ goog.i18n.CharPickerData.SUBCATEGORY_NAMES_OF_OTHER_EAST_ASIAN_SCRIPTS = [ goog.i18n.CharPickerData.MSG_CP_BOPOMOFO, goog.i18n.CharPickerData.MSG_CP_HIRAGANA, goog.i18n.CharPickerData.MSG_CP_KATAKANA, goog.i18n.CharPickerData.MSG_CP_MONGOLIAN, goog.i18n.CharPickerData.MSG_CP_YI, goog.i18n.CharPickerData.MSG_CP_COMPATIBILITY + ' - ' + goog.i18n.CharPickerData.MSG_CP_BOPOMOFO, goog.i18n.CharPickerData.MSG_CP_COMPATIBILITY + ' - ' + goog.i18n.CharPickerData.MSG_CP_HIRAGANA, goog.i18n.CharPickerData.MSG_CP_COMPATIBILITY + ' - ' + goog.i18n.CharPickerData.MSG_CP_KATAKANA, goog.i18n.CharPickerData.MSG_CP_COMPATIBILITY + ' - ' + goog.i18n.CharPickerData.MSG_CP_YI ]; /** * List of characters in base88 encoding scheme. Each base88 encoded * charater string represents corresponding subcategory specified in * {@code goog.i18n.CharPickerData.subcategories}. Encoding * scheme is described in {@code goog.i18n.CharListDecompressor}. * @type {Array.<string>} */ goog.i18n.CharPickerData.CHARLIST_OF_OTHER_EAST_ASIAN_SCRIPTS = [ 'ozC0:4HIt3XA72IQv0l2{z+06I]B0MO,8F1.MGmeE2#v0EjK306', 'ozC0:4W#7iDMOF2X1c8eE986G68H86XD6^Bs061R946', 'ozC0:49978PMV1SkMOF2X1c8eE986eH8MHD6^Bs061R946', 'YX60738t4$t38aFN18,%3H9', 'oRg0-18}}-FL.U06e,Gs^rT0IG10@4', 'Ql)0M', '^%C0996G1MF1gas0U2E$0', '^%C0996]8PDF1vRF48@7g`r0N18}3', 'Ql)0M' ]; /** * Names of subcategories. Each message this array is the * name for the corresponding subcategory specified in * {@code goog.i18n.CharPickerData.subcategories}. * @type {Array.<string>} */ goog.i18n.CharPickerData.SUBCATEGORY_NAMES_OF_HAN_1_STROKE_RADICALS = [ '\u4E00', '\u4E28', '\u4E36', '\u4E3F', '\u4E59', '\u4E85', goog.i18n.CharPickerData.MSG_CP_COMPATIBILITY, goog.i18n.CharPickerData.MSG_CP_LESS_COMMON ]; /** * List of characters in base88 encoding scheme. Each base88 encoded * charater string represents corresponding subcategory specified in * {@code goog.i18n.CharPickerData.subcategories}. Encoding * scheme is described in {@code goog.i18n.CharListDecompressor}. * @type {Array.<string>} */ goog.i18n.CharPickerData.CHARLIST_OF_HAN_1_STROKE_RADICALS = [ 'ItK071]BYL10TX10kOJE8F192426', ';wK0M8!', 'AyK0Ef1a1M8', '^yK0,8E2y30{x30|', 'Q#K0U^iL0>iL0EG}2', 'Q)K0k', '(bC0c]R]q8O8f2Eoeq0]116$f7fG;(k1E', 'A(D0t3(rX1V288k8!8k8868|8l188U8718M8N48E88GE8#48MG@3oA20]G2P60;QB0]9^(20^7L0t2' ]; /** * Names of subcategories. Each message this array is the * name for the corresponding subcategory specified in * {@code goog.i18n.CharPickerData.subcategories}. * @type {Array.<string>} */ goog.i18n.CharPickerData.SUBCATEGORY_NAMES_OF_HAN_2_STROKE_RADICALS = [ '\u4E8C', '\u4EA0', '\u4EBA', '\u513F', '\u5165', '\u516B', '\u5182', '\u5196', '\u51AB', '\u51E0', '\u51F5', '\u5200', '\u529B', '\u52F9', '\u5315', '\u531A', '\u5338', '\u5341', '\u535C', '\u5369', '\u5382', '\u53B6', '\u53C8', '\u8BA0', goog.i18n.CharPickerData.MSG_CP_COMPATIBILITY, goog.i18n.CharPickerData.MSG_CP_LESS_COMMON ]; /** * List of characters in base88 encoding scheme. Each base88 encoded * charater string represents corresponding subcategory specified in * {@code goog.i18n.CharPickerData.subcategories}. Encoding * scheme is described in {@code goog.i18n.CharListDecompressor}. * @type {Array.<string>} */ goog.i18n.CharPickerData.CHARLIST_OF_HAN_2_STROKE_RADICALS = [ '^)K0M8N1', '(+K0N2', 'A.K0VA15`4@48l6AGL05GL0VT86GZG68d39141|8t1', '(gL0V3', 'IkL0MY870T8706', '(kL0,gzK0bzK0U838c', ';mL0#1Yw50', 'woL0-1', 'oqL0#4', 'YvL0-1', 'QxL0?', 'QyL0d98sWC1$M8F3', 'Y;L0V58@2', '^^L0d2', 'g{L0U', '^{L0l12KK0{JK0|', 'w0M0!', 'g1M0E8c838,(HK0zHK0U', '^3M071', 'A5M0F2', 'Y7M0t2;ZD0+ZD0MeZU8|', 'ACM0l1', '(DM0V2IS10', 'Y]a0tD', 'QcC0}1%P8]qG688P1W6G6mO8;fq0f1E9386H18e11Ee[n16[91e11.G$H1n18611$X2cX5kg(k1F28d292%B6f6%A15P1O', ';+D0tN8l49H2i40kQRl0(Q+0uH3v1H788]9@18}2872Gk8E8|8s88E8G-18778@28lF8-6G,8@48#486GF28d28t18t48N3874868-78F58V18}28F48l48lG868d18N18#18!8FN8@98FP8s8}F8N28,8VG8F18tF8}2(s30%U;@101bI-50QE60^{40;X60IhB0}Oo_20d3' ]; /** * Names of subcategories. Each message this array is the * name for the corresponding subcategory specified in * {@code goog.i18n.CharPickerData.subcategories}. * @type {Array.<string>} */ goog.i18n.CharPickerData.SUBCATEGORY_NAMES_OF_HAN_3_STROKE_RADICALS = [ '\u53E3', '\u56D7', '\u571F', '\u58EB', '\u5902', '\u590A', '\u5915', '\u5927', '\u5973', '\u5B50', '\u5B80', '\u5BF8', '\u5C0F', '\u5C22', '\u5C38', '\u5C6E', '\u5C71', '\u5DDB', '\u5DE5', '\u5DF1', '\u5DFE', '\u5E72', '\u5E7A', '\u5E7F', '\u5EF4', '\u5EFE', '\u5F0B', '\u5F13', '\u5F50', '\u5F61', '\u5F73', '\u7E9F', '\u95E8', '\u98DE', '\u9963', '\u9A6C', goog.i18n.CharPickerData.MSG_CP_COMPATIBILITY, goog.i18n.CharPickerData.MSG_CP_LESS_COMMON ]; /** * List of characters in base88 encoding scheme. Each base88 encoded * charater string represents corresponding subcategory specified in * {@code goog.i18n.CharPickerData.subcategories}. Encoding * scheme is described in {@code goog.i18n.CharListDecompressor}. * @type {Array.<string>} */ goog.i18n.CharPickerData.CHARLIST_OF_HAN_3_STROKE_RADICALS = [ 'IGM0@X8U8?8F1=2n1P1t18V4HCyGf4t8Gk%38y46ul28?888s12`1@18#2f3a3V38,$xkGBGs', '^`M0c^MJ0>MJ0F4OJE8N1', 'g3N0EAHJ05HJ0VDH2C2728V28-3=3]3d38U8U_eel88F32(I0{%I0?;%I0+%I0!8!', 'QjN0!iXnXF1', 'YlN0k', 'AmN0EJOU838', 'AnN0l1', '(oN0738|4191d2', 'wvN0N28t6y6%6#18}18Mi2n2738s$i1$s8V78#2:2y5:2#28d7n1i1d18M8MRWl1', '2DO0@283871', 'YHO0t1;260+260#18MRW#3:1*1#1871', 'QSO0?OJE8s', 'YUO0k2?H0{>H0|', 'AWO0@1', 'AYO08t4', '2dO0E', 'QdO0D#30I#30V28}44595@B8t1y1%1V88kpu?86BGU838E', 'I.O0c8E', 'A:O0|', 'I;O071', 'Y<O0t68kp$!838@1', '^{O0s', '2$K0oM40U', 'A}O0@1OJE8-3mZU86x$@2I8H0D8H0c', '(9P0,', 'wAP071', ';BP0s', 'oCP0d5', 'AIP0d1', 'wJP0!8s', 'QLP0!Y0H06b0H0l1mhc8U8,<[7186BGF1', '(gX071[<,8dB', 'wud0t4', 'obe0', 'wne0V386BG,', '(:e0V5', 'YeC0#2P=11Wm11686W(dq0G86:1mP26m6%1me%1E11X1OmEf1692Ge6H1%1Gm8GX3kX4[F1A,k1}18l58E8EGMP8:5]6]9', 'YAE0@G8V(I!20|I!10E:5fX18EA8k08QQ+0%1u8Gn3v11B1693P2uO91$8OH2H713vMXG%1%K:6]SG13%2H@vX93tU8F587w8}V8-68tA8dO8db8V38758V28t58F18k8#C8t!8V78V98tU8lT8de8}}V98lB8}B8#387987H8#38NJ8@78U8N18U8kgE10(L10v_X4ngA6109Nn2v2Ac101O1}HSQ*1094^.50N2:BP6Ay10Q<40]5;s20AE20V1H9^j20l1%g-3YY20YU10}zAv10@2;310F1]E72X3}1' ]; /** * Names of subcategories. Each message this array is the * name for the corresponding subcategory specified in * {@code goog.i18n.CharPickerData.subcategories}. * @type {Array.<string>} */ goog.i18n.CharPickerData.SUBCATEGORY_NAMES_OF_HAN_4_STROKE_RADICALS = [ '\u5FC3', '\u6208', '\u6236', '\u624B', '\u652F', '\u6534', '\u6587', '\u6597', '\u65A4', '\u65B9', '\u65E0', '\u65E5', '\u66F0', '\u6708', '\u6728', '\u6B20', '\u6B62', '\u6B79', '\u6BB3', '\u6BCB', '\u6BD4', '\u6BDB', '\u6C0F', '\u6C14', '\u6C34', '\u706B', '\u722A', '\u7236', '\u723B', '\u723F', '\u7247', '\u7259', '\u725B', '\u72AC', '\u89C1', '\u8D1D', '\u8F66', '\u97E6', '\u98CE', goog.i18n.CharPickerData.MSG_CP_COMPATIBILITY, goog.i18n.CharPickerData.MSG_CP_LESS_COMMON ]; /** * List of characters in base88 encoding scheme. Each base88 encoded * charater string represents corresponding subcategory specified in * {@code goog.i18n.CharPickerData.subcategories}. Encoding * scheme is described in {@code goog.i18n.CharListDecompressor}. * @type {Array.<string>} */ goog.i18n.CharPickerData.CHARLIST_OF_HAN_4_STROKE_RADICALS = [ 'oSP0NW]5=5-58M8V2a2f2d48F2K2P2l4', 'Y]P072mhc8!838838', 'o{P0-1', 'g}P0E2LG0{KG08kpus871C1H1?8}34494NO8?_11k8#5]6=6-38F24C9Ck8E874G*7P3H468l411_?8t28|4191#2838l186BGk', '((Q0U', 'I)Q0F2rI40wI40t2GB68@12dA0{cA0E', '(;Q0(OF0zOF0N1', 'I=Q071', 'Y>Q0-1', 'Q@Q0F1OJE8-1', ';^Q0U', 'Q_Q0NA(+60j_B0(D50t1XDSDN2H1C1718V523F0{2F0,GB68-1', 'oJR0!8rS50gS5086868k', '(LR0V2;070+070U', 'wOR0@59242}187LAuE05uE0#H2R10{Q10F886uOK1Gk8E8l6uH6=6k8768Ev4P1`5l48F18NAW8hM88!8F1m=1P1c8t1', '2TS0E838d5', '2ZS0I:D0D:D0@1', 'AbS0F5', 'YgS072', 'oiS0!', 'YjS0k', '2kS0t4', '(oS0U', 'IpS0-2', 'AsS06WRM8VE8N28!K3P3F18s8t5i6$%5}58V1a1f1}78#1G98KA:168}7872v5v1S7l5G718E8|v3a6H1f1-28k8t38V1`5f4f1d48728Mn4`4Wd48EG*7n768d28@2`213758-1=1]1k', 'I$T0!%1y1t18tC8MRWl39444}38,838#291(350>450|8N1g^B0nI12DFC0t78Em<Oc8#1', ';GU0,jW70oW706', '^HU0U', 'YIU0M', 'IxK0gl90s', 'gJU0l1', 'ALU06', 'QLU0N3838#3', 'wSU0tA$6)sGF1un1K2k868chuk86<[74', ';ba0U8?', '2Sb0V6', 'I]b0#4', '2Fe0k', 'Aae0k838M', '^SC0HE}2::MGEG.Ogeq0G$mEm6OGOEWE%1eE916Ou6m868W$6m6GU11OE8W91WEWGMmOG6eM$8e6W6mG611Of371136P2}18EH4M(!k1:8e#4G6G-28}2871]7$6', '^aE0]uFq8#@^U20U%LEY`k06AW+0f7HLfkX2vCH4vM(a10gv10IO10Yg30Hz}}VE8to8-w8@J8-28tK8td8N48FC8E8l68cGNM8V#8#98lK8-A8-A8|8728E8l287N8}}#E8@N8V%8tC88V88-88lC8N18@48t38l`;Y20(>101dYk201)XQ6nUv^Xao940kAi10cv3QF40UHdXG|fe8o^40}}l3YD10c]Ak]7@19YcX4U' ]; /** * Names of subcategories. Each message this array is the * name for the corresponding subcategory specified in * {@code goog.i18n.CharPickerData.subcategories}. * @type {Array.<string>} */ goog.i18n.CharPickerData.SUBCATEGORY_NAMES_OF_HAN_5_STROKE_RADICALS = [ '\u7384', '\u7389', '\u74DC', '\u74E6', '\u7518', '\u751F', '\u7528', '\u7530', '\u758B', '\u7592', '\u7676', '\u767D', '\u76AE', '\u76BF', '\u76EE', '\u77DB', '\u77E2', '\u77F3', '\u793A', '\u79B8', '\u79BE', '\u7A74', '\u7ACB', '\u9485', '\u957F', '\u9E1F', '\u9F99', goog.i18n.CharPickerData.MSG_CP_COMPATIBILITY, goog.i18n.CharPickerData.MSG_CP_LESS_COMMON ]; /** * List of characters in base88 encoding scheme. Each base88 encoded * charater string represents corresponding subcategory specified in * {@code goog.i18n.CharPickerData.subcategories}. Encoding * scheme is described in {@code goog.i18n.CharListDecompressor}. * @type {Array.<string>} */ goog.i18n.CharPickerData.CHARLIST_OF_HAN_5_STROKE_RADICALS = [ 'QmU0U', '(mU0838N912`1M8d18,i2n2,8t2y2%2F78Wh8M8F186BG@4', 'o@U0,', 'g[U0d4', '2{U0k', 'w{U0!', 'g|U0s', 'I}U0?838738k8mhcG!).V1', 'g7V0k', 'A8V0t2[<,8d8muK1c8k872[<,8}1838l1', ';SV0k', 'gTV0|=Q]QN3', '^XV0s^;A0>;A0!', 'gZV0N2GB68l1', '(dV0t5v1q1l1G38V1IzA0DzA0N18|4191V98EJO', 'QzV0k', '^zV0d1', 'g#V0N15]20A]20FB8t2%1i4%2t18!upk872Gu<68k8t7', 'I5W0-1IV40^-50DFA0}18!).!11^L40{M40?8-3Q6A0L6A0s', 'wGW0c((20', 'IHW0-5upk8}312`1-1Gs).t2GB6', '(XW0-7', 'wfW0#1G?Qj70Lj70686BGs', 'YOd0@L', 'Ald0', ';-f0758MRW72', 'IIg0E', 'QkC0}1n.O86n1;eq0$f2u6[P1[68$$P1P16926u[[E91$6.u:2UH4|f6O|11X1[Ew`k1V18V3', 'AoG0@:;12071n^kXD6I4R1:4WnB9d[15:49lHkX.1pP5Hw]nf]^H20()109d;u101@]2%KY!10:9f.;(307k8dL8}38@88-98?8V?WdA8}S87Q8748l!8-T8#d8d28lI8FK8#12@30nQI,10w^402B20F22,50-1AQ30}b(F10V49f}3]3' ]; /** * Names of subcategories. Each message this array is the * name for the corresponding subcategory specified in * {@code goog.i18n.CharPickerData.subcategories}. * @type {Array.<string>} */ goog.i18n.CharPickerData.SUBCATEGORY_NAMES_OF_HAN_6_STROKE_RADICALS = [ '\u7AF9', '\u7C73', '\u7CF8', '\u7F36', '\u7F51', '\u7F8A', '\u7FBD', '\u8001', '\u800C', '\u8012', '\u8033', '\u807F', '\u8089', '\u81E3', '\u81EA', '\u81F3', '\u81FC', '\u820C', '\u821B', '\u821F', '\u826E', '\u8272', '\u8278', '\u864D', '\u866B', '\u8840', '\u884C', '\u8863', '\u897E', '\u9875', '\u9F50', goog.i18n.CharPickerData.MSG_CP_COMPATIBILITY, goog.i18n.CharPickerData.MSG_CP_LESS_COMMON ]; /** * List of characters in base88 encoding scheme. Each base88 encoded * charater string represents corresponding subcategory specified in * {@code goog.i18n.CharPickerData.subcategories}. Encoding * scheme is described in {@code goog.i18n.CharListDecompressor}. * @type {Array.<string>} */ goog.i18n.CharPickerData.CHARLIST_OF_HAN_6_STROKE_RADICALS = [ ';jW0?8F5K5P5@5%5y5t58s8,<[d213OS3@28E8F5e6hUGl1838s', 'I[W0Mr990w990V2r?10w?10|eZU8l1[<,8}2eZU8s838U', 'Q4X0@88d2i2n2F3%4y4t48686BGNA8686Ze728.a3X28!8}3', 'guX0U838#1', '^wX0t2OJE8}1', 'A$X0?8MLI20;H20W73', '(*X0F5eZU8M', '^;X0?', '^<X0c', 'g=X0@2', 'g@X0}211_?8718UZe?', 'Y|X0,', 'Q}X0}8n2i2d28N7bN90gN90l68V486BG,', '(UY0k', 'YVY0!', 'IWY0!', '2XY0,86BGE', 'gYY0N1', ';ZY0M', 'IaY077', 'YhY0M', '(hY0c', 'QiY0EY$70T$70768V11AiBf1@58EJOk8U8N28#18d2a7e]6d58V1(a70bk70v9t9H4(L70Lb70HBE8#38t88@3838lH8E8o=605>60O8N3P7K7N28kpud286H1a1G7188|8cI(60+(60m-1', 'gjZ0EDPA0IPA06872', 'ImZ0l28}283873a6f6c8t2y2%273%1X2C4t18N28d48k%8a9ut39444t3H4C4M8!8#1H2C2?8|8@1X1S1N18?', ';2a0|', '^3a0}1', '26a06DVE0IVE0t6838#48t2y2%274838d1P1K1F18w^50r^50l2>YD0^YD06$xs', '(Va071', '2Se0l4', 'oBg06', 'YmC0l2IPr0MemO68691Em6e6.6GO6n1Oem6P268me$6n19112Eue86WWW:168:4?v6G?%2^,k1Wn56XC-28U86G68M8@4', 'o5E0oq10;%10VE8VH91l;P^(ok08wb+0Q0101Io3102E20XZoi10n>2;10XUPN18e]1;n30v6m6(L40vHvCX1:8;g10A{30HM}}N@X2#B8F68@D8VI8@(8NQG#L8#68t18tO8#v8Na8##8VC8#^8tt(j10wB30YE30E(870NF13#hfxd1' ]; /** * Names of subcategories. Each message this array is the * name for the corresponding subcategory specified in * {@code goog.i18n.CharPickerData.subcategories}. * @type {Array.<string>} */ goog.i18n.CharPickerData.SUBCATEGORY_NAMES_OF_HAN_7_STROKE_RADICALS = [ '\u5364', '\u898B', '\u89D2', '\u8A00', '\u8C37', '\u8C46', '\u8C55', '\u8C78', '\u8C9D', '\u8D64', '\u8D70', '\u8DB3', '\u8EAB', '\u8ECA', '\u8F9B', '\u8FB0', '\u8FB5', '\u9091', '\u9149', '\u91C6', '\u91CC', '\u9F9F', goog.i18n.CharPickerData.MSG_CP_COMPATIBILITY, goog.i18n.CharPickerData.MSG_CP_LESS_COMMON ]; /** * List of characters in base88 encoding scheme. Each base88 encoded * charater string represents corresponding subcategory specified in * {@code goog.i18n.CharPickerData.subcategories}. Encoding * scheme is described in {@code goog.i18n.CharListDecompressor}. * @type {Array.<string>} */ goog.i18n.CharPickerData.CHARLIST_OF_HAN_7_STROKE_RADICALS = [ 'w4M0(<J0', '^Wa069141!868d3', 'Yda0,86BG@1QC50LC50?', 'oha0lC]1wp50rr50-18F5P1K1F18@88N12Y50bZ50X1}5', 'A7b0N1', 'g8b0N1', ';9b0@283', '2Db0N3', 'YGb0}88V2', 'gYb0|', 'oZb0cw-40r-40d5', 'wfb0!8}212C593@18#48M[S1W,8}3mn1C2c8d18d386B', 'I$b0#2', '2)b0738V1Aa40rb40f1772V40{U40F2', '2|b0-1', '^}b0U', 'Y0c0!TGD0YGD0}29141|8}B8OZ8E8U.)!OB68k', 'YKc0-5838-9838c', 'Abc0NB', 'gmc0c', '2nc0U', '(Ig0', 'oaC0XE#1X*en1Ydq086X1ev1[.mn1Gn18116P1[8m]111%1n1v1[G92G6P5kX7|v1o5l1n5F18E8!', 'QAE0gj40lFu-8etLO#D2.k06(T,0PL9,AY30v9]_A^60Yl10;N50Az10oi10(I80F`8M8V58Nh8lCu}}}hml3Glb8N@;820o{80|m-3n3V3u-712#9nwv3' ]; /** * Names of subcategories. Each message this array is the * name for the corresponding subcategory specified in * {@code goog.i18n.CharPickerData.subcategories}. * @type {Array.<string>} */ goog.i18n.CharPickerData.SUBCATEGORY_NAMES_OF_HAN_8_STROKE_RADICALS = [ '\u91D1', '\u9577', '\u9580', '\u961C', '\u96B6', '\u96B9', '\u96E8', '\u9751', '\u975E', '\u9C7C', '\u9F7F', goog.i18n.CharPickerData.MSG_CP_COMPATIBILITY, goog.i18n.CharPickerData.MSG_CP_LESS_COMMON ]; /** * List of characters in base88 encoding scheme. Each base88 encoded * charater string represents corresponding subcategory specified in * {@code goog.i18n.CharPickerData.subcategories}. Encoding * scheme is described in {@code goog.i18n.CharListDecompressor}. * @type {Array.<string>} */ goog.i18n.CharPickerData.CHARLIST_OF_HAN_8_STROKE_RADICALS = [ 'gnc0@3zLA0(LA0-AX2Yf30+h30k8l18N94B9BV48t28QO30LR30%28t88@12E305G3012l4mh8M8F4y4%4@3v1q1l18l2', 'Ykd0s', 'Ild0@48?_11N3', 'Yzd0l58N1S1X1-6', 'Y<d0E', 'w<d0F4', '^@d0d9', 'g1e071', 'w2e0M', '(Xf0@5871C1H1F2', ';Fg0F1', ';qC0!:(Ihq094m.uu14:1]1EWH191$H1m92v1:6X8MYzk1vf7186', 'QTJ0l8H1F4OV68-5:ss2?j0E2W+0AQ50Q>U0#88@yP2dcf1798N#8FJQn30@1^;106;y30l8f4@1P1N61OV39B!' ]; /** * Names of subcategories. Each message this array is the * name for the corresponding subcategory specified in * {@code goog.i18n.CharPickerData.subcategories}. * @type {Array.<string>} */ goog.i18n.CharPickerData.SUBCATEGORY_NAMES_OF_HAN_9_STROKE_RADICALS = [ '\u9762', '\u9769', '\u97CB', '\u97ED', '\u97F3', '\u9801', '\u98A8', '\u98DB', '\u98DF', '\u9996', '\u9999', goog.i18n.CharPickerData.MSG_CP_COMPATIBILITY, goog.i18n.CharPickerData.MSG_CP_LESS_COMMON ]; /** * List of characters in base88 encoding scheme. Each base88 encoded * charater string represents corresponding subcategory specified in * {@code goog.i18n.CharPickerData.subcategories}. Encoding * scheme is described in {@code goog.i18n.CharListDecompressor}. * @type {Array.<string>} */ goog.i18n.CharPickerData.CHARLIST_OF_HAN_9_STROKE_RADICALS = [ '23e0k', 'w3e0-8', 'oCe0V18MRWc', 'wFe0c', 'IGe0zy706wy7071', 'gHe0t1eZU8,Gkx6ud18|4191#3', 'wWe0V3', 'Qbe0E', 'wbe0V28UZeN2OJE872838-3', 'Qse0E', 'ose0t1', 'wrC0?f)2vq0f298Ef56n8MIGl1N1', 'ooH0g520-Q8!IHS1:_P32-30ARC0YA40](^b70gd807Y8lBelaW728NG91}Zv1t288-4Iz70d1mt1n1|el1H2N1' ]; /** * Names of subcategories. Each message this array is the * name for the corresponding subcategory specified in * {@code goog.i18n.CharPickerData.subcategories}. * @type {Array.<string>} */ goog.i18n.CharPickerData.SUBCATEGORY_NAMES_OF_HAN_10_STROKE_RADICALS = [ '\u99AC', '\u9AA8', '\u9AD8', '\u9ADF', '\u9B25', '\u9B2F', '\u9B32', '\u9B3C', goog.i18n.CharPickerData.MSG_CP_COMPATIBILITY, goog.i18n.CharPickerData.MSG_CP_LESS_COMMON ]; /** * List of characters in base88 encoding scheme. Each base88 encoded * charater string represents corresponding subcategory specified in * {@code goog.i18n.CharPickerData.subcategories}. Encoding * scheme is described in {@code goog.i18n.CharListDecompressor}. * @type {Array.<string>} */ goog.i18n.CharPickerData.CHARLIST_OF_HAN_10_STROKE_RADICALS = [ 'Que0V68V1a1f176ob10jb10-2(Y10zY10M', 'I@e0N4', 'o_e0k', 'I`e0l211_?8d1WRM8k', 'o2f0,', 'g3f0E', '(3f0,', 'w4f0t2', 'wsC0s;Lr0:9nTgHl1U', '^_J077O#9wM(1gQ10#Y]3};gl60@192l2' ]; /** * Names of subcategories. Each message this array is the * name for the corresponding subcategory specified in * {@code goog.i18n.CharPickerData.subcategories}. * @type {Array.<string>} */ goog.i18n.CharPickerData.SUBCATEGORY_NAMES_OF_HAN_11_17_STROKE_RADICALS = [ '\u9B5A', '\u9CE5', '\u9E75', '\u9E7F', '\u9EA5', '\u9EA6', '\u9EBB', '\u9EC3', '\u9ECD', '\u9ED1', '\u9EF9', '\u9EFD', '\u9EFE', '\u9F0E', '\u9F13', '\u9F20', '\u9F3B', '\u9F4A', '\u9F52', '\u9F8D', '\u9F9C', '\u9FA0', goog.i18n.CharPickerData.MSG_CP_COMPATIBILITY, goog.i18n.CharPickerData.MSG_CP_LESS_COMMON ]; /** * List of characters in base88 encoding scheme. Each base88 encoded * charater string represents corresponding subcategory specified in * {@code goog.i18n.CharPickerData.subcategories}. Encoding * scheme is described in {@code goog.i18n.CharListDecompressor}. * @type {Array.<string>} */ goog.i18n.CharPickerData.CHARLIST_OF_HAN_11_17_STROKE_RADICALS = [ 'Y7f0-2IB10DB10#2[<,8d1eZU8F2%3y3}2eZU88t2WRM8l31b`a#28EJOV1', 'Qhf0N38MRWt78]s=s#3838758MRWV18728EJO}2', 'w@f0!', 'o[f0V3', '2`f08d1', 'A`f0n1E', '2|f0s', '(|f0,', 'w}f0M', '20g06>mI0^mI0c8#2', 'w3g0M', '24g08|', 'A4g091E', 'o5g0U', '26g071', 'I7g0V2', 'w9g0N1', '2Bg0c', '(Bg0}3', 'AHg0E8s', 'gIg0E', ';Ig0c', 'YtC0#1QIr0692H26ef66P5946H5nE.6Q,k1fYt1', 'IDK0t9$@9uNDGkoOR1fk^x102.20nDQf301=^N50;g202j30M^>90od80g320to12t!]1-H8F[GN6284075f3@394E8l2.G' ]; /** * Names of subcategories. Each message this array is the * name for the corresponding subcategory specified in * {@code goog.i18n.CharPickerData.subcategories}. * @type {Array.<string>} */ goog.i18n.CharPickerData.SUBCATEGORY_NAMES_OF_HAN_OTHER = [ goog.i18n.CharPickerData.MSG_CP_NUMERICS, goog.i18n.CharPickerData.MSG_CP_PUNCTUATION, goog.i18n.CharPickerData.MSG_CP_COMPATIBILITY, goog.i18n.CharPickerData.MSG_CP_LESS_COMMON + ' - ' + goog.i18n.CharPickerData.MSG_CP_NUMERICS, goog.i18n.CharPickerData.MSG_CP_PINYIN, goog.i18n.CharPickerData.MSG_CP_IDEOGRAPHIC_DESCRIPTION, goog.i18n.CharPickerData.MSG_CP_CJK_STROKES ]; /** * List of characters in base88 encoding scheme. Each base88 encoded * charater string represents corresponding subcategory specified in * {@code goog.i18n.CharPickerData.subcategories}. Encoding * scheme is described in {@code goog.i18n.CharListDecompressor}. * @type {Array.<string>} */ goog.i18n.CharPickerData.CHARLIST_OF_HAN_OTHER = [ 'ItK0GO8n7H4u8v36%2$P3]8va]59388:DnS8Em:6v3MH6n%fmuX4oZ10]B691E8PEn.X417IH10Q710H.AI10n)Yv20%j1d^L20WPB2W20P3e]3XBT(d0112T808YG40', /* numerics */ 'ozC0:4>nC0]l8w%70886G6%m^u30U8?8V2GmO8Ewgs06', /* punctuation */ 'HF;S8091:IIk40F3PB|%CF2[U%8#2oyr06868EG8116Of28GX2MGMHB6O', /* compatibility */ 'o(D0XB]`].o#V1]8XBv5^A2018$X1PUv1f2Qf60Qq10gt402ZA0', /* less common */ 'PK6mE86W6e68Wn1uX113v2]88888888', /* pinyin */ 'oxC0|', /* ideo desc */ 'AQC0N28M8d7H%F3' /* strokes */ ]; /** * Names of subcategories. Each message this array is the * name for the corresponding subcategory specified in * {@code goog.i18n.CharPickerData.subcategories}. * @type {Array.<string>} */ goog.i18n.CharPickerData.SUBCATEGORY_NAMES_OF_MISCELLANEOUS = [ goog.i18n.CharPickerData.MSG_CP_ALL ]; /** * List of characters in base88 encoding scheme. Each base88 encoded * charater string represents corresponding subcategory specified in * {@code goog.i18n.CharPickerData.subcategories}. Encoding * scheme is described in {@code goog.i18n.CharListDecompressor}. * @type {Array.<string>} */ goog.i18n.CharPickerData.CHARLIST_OF_MISCELLANEOUS = [ 'o070><40d1*16%12#g0q4M1u^vQ0K5EL[Q08LEc0!+:40N1Q#g0+;b0Mo;b06nnowQ065LR0cOMA0P09)c;d106{^Q06{Cc0ke6Y=b06o%P0Ae106{6%0o<b0fOL6h072G6YOh0V2$sS1s[;qQ073eZU8F1{2R0t588H26TOc0kf46i4-1%26*2?H1C1cm92`1EWEi1cP1[<!O6OJEZC1I<b0d3%1y16v1q1c8uhMOJ6h[g|P0l6*T-4**@1:)@1[t1ww90}}N9AVg0f6G686G6W918u]5W6$un2We8Eu]U6nQ6' ]; /** * Subcategory names. Each subarray in this array is a list of subcategory * names for the corresponding category specified in * {@code goog.i18n.CharPickerData.categories}. * @type {Array.<Array.<string>>} */ goog.i18n.CharPickerData.prototype.subcategories = [ goog.i18n.CharPickerData.SUBCATEGORY_NAMES_OF_SYMBOL, goog.i18n.CharPickerData.SUBCATEGORY_NAMES_OF_PUNCTUATION, goog.i18n.CharPickerData.SUBCATEGORY_NAMES_OF_NUMBER, goog.i18n.CharPickerData.SUBCATEGORY_NAMES_OF_FORMAT_WHITESPACE, goog.i18n.CharPickerData.SUBCATEGORY_NAMES_OF_MODIFIER, goog.i18n.CharPickerData.SUBCATEGORY_NAMES_OF_LATIN, goog.i18n.CharPickerData.SUBCATEGORY_NAMES_OF_OTHER_EUROPEAN_SCRIPTS, goog.i18n.CharPickerData.SUBCATEGORY_NAMES_OF_AMERICAN_SCRIPTS, goog.i18n.CharPickerData.SUBCATEGORY_NAMES_OF_AFRICAN_SCRIPTS, goog.i18n.CharPickerData.SUBCATEGORY_NAMES_OF_MIDDLE_EASTERN_SCRIPTS, goog.i18n.CharPickerData.SUBCATEGORY_NAMES_OF_SOUTH_ASIAN_SCRIPTS, goog.i18n.CharPickerData.SUBCATEGORY_NAMES_OF_SOUTHEAST_ASIAN_SCRIPTS, goog.i18n.CharPickerData.SUBCATEGORY_NAMES_OF_HANGUL, goog.i18n.CharPickerData.SUBCATEGORY_NAMES_OF_OTHER_EAST_ASIAN_SCRIPTS, goog.i18n.CharPickerData.SUBCATEGORY_NAMES_OF_HAN_1_STROKE_RADICALS, goog.i18n.CharPickerData.SUBCATEGORY_NAMES_OF_HAN_2_STROKE_RADICALS, goog.i18n.CharPickerData.SUBCATEGORY_NAMES_OF_HAN_3_STROKE_RADICALS, goog.i18n.CharPickerData.SUBCATEGORY_NAMES_OF_HAN_4_STROKE_RADICALS, goog.i18n.CharPickerData.SUBCATEGORY_NAMES_OF_HAN_5_STROKE_RADICALS, goog.i18n.CharPickerData.SUBCATEGORY_NAMES_OF_HAN_6_STROKE_RADICALS, goog.i18n.CharPickerData.SUBCATEGORY_NAMES_OF_HAN_7_STROKE_RADICALS, goog.i18n.CharPickerData.SUBCATEGORY_NAMES_OF_HAN_8_STROKE_RADICALS, goog.i18n.CharPickerData.SUBCATEGORY_NAMES_OF_HAN_9_STROKE_RADICALS, goog.i18n.CharPickerData.SUBCATEGORY_NAMES_OF_HAN_10_STROKE_RADICALS, goog.i18n.CharPickerData.SUBCATEGORY_NAMES_OF_HAN_11_17_STROKE_RADICALS, goog.i18n.CharPickerData.SUBCATEGORY_NAMES_OF_HAN_OTHER, goog.i18n.CharPickerData.SUBCATEGORY_NAMES_OF_MISCELLANEOUS ]; /** * Character lists in base88 encoding scheme. Each subarray is a list of * base88 encoded charater strings representing corresponding subcategory * specified in {@code goog.i18n.CharPickerData.categories}. Encoding * scheme is described in {@code goog.i18n.CharListDecompressor}. * @type {Array.<Array.<string>>} */ goog.i18n.CharPickerData.prototype.charList = [ goog.i18n.CharPickerData.CHARLIST_OF_SYMBOL, goog.i18n.CharPickerData.CHARLIST_OF_PUNCTUATION, goog.i18n.CharPickerData.CHARLIST_OF_NUMBER, goog.i18n.CharPickerData.CHARLIST_OF_FORMAT_WHITESPACE, goog.i18n.CharPickerData.CHARLIST_OF_MODIFIER, goog.i18n.CharPickerData.CHARLIST_OF_LATIN, goog.i18n.CharPickerData.CHARLIST_OF_OTHER_EUROPEAN_SCRIPTS, goog.i18n.CharPickerData.CHARLIST_OF_AMERICAN_SCRIPTS, goog.i18n.CharPickerData.CHARLIST_OF_AFRICAN_SCRIPTS, goog.i18n.CharPickerData.CHARLIST_OF_MIDDLE_EASTERN_SCRIPTS, goog.i18n.CharPickerData.CHARLIST_OF_SOUTH_ASIAN_SCRIPTS, goog.i18n.CharPickerData.CHARLIST_OF_SOUTHEAST_ASIAN_SCRIPTS, goog.i18n.CharPickerData.CHARLIST_OF_HANGUL, goog.i18n.CharPickerData.CHARLIST_OF_OTHER_EAST_ASIAN_SCRIPTS, goog.i18n.CharPickerData.CHARLIST_OF_HAN_1_STROKE_RADICALS, goog.i18n.CharPickerData.CHARLIST_OF_HAN_2_STROKE_RADICALS, goog.i18n.CharPickerData.CHARLIST_OF_HAN_3_STROKE_RADICALS, goog.i18n.CharPickerData.CHARLIST_OF_HAN_4_STROKE_RADICALS, goog.i18n.CharPickerData.CHARLIST_OF_HAN_5_STROKE_RADICALS, goog.i18n.CharPickerData.CHARLIST_OF_HAN_6_STROKE_RADICALS, goog.i18n.CharPickerData.CHARLIST_OF_HAN_7_STROKE_RADICALS, goog.i18n.CharPickerData.CHARLIST_OF_HAN_8_STROKE_RADICALS, goog.i18n.CharPickerData.CHARLIST_OF_HAN_9_STROKE_RADICALS, goog.i18n.CharPickerData.CHARLIST_OF_HAN_10_STROKE_RADICALS, goog.i18n.CharPickerData.CHARLIST_OF_HAN_11_17_STROKE_RADICALS, goog.i18n.CharPickerData.CHARLIST_OF_HAN_OTHER, goog.i18n.CharPickerData.CHARLIST_OF_MISCELLANEOUS ];
JavaScript
// Copyright 2006 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Detect Grapheme Cluster Break in a pair of codepoints. Follows * Unicode 5.1 UAX#29. * */ goog.provide('goog.i18n.GraphemeBreak'); goog.require('goog.structs.InversionMap'); /** * Enum for all Grapheme Cluster Break properties. * These enums directly corresponds to Grapheme_Cluster_Break property values * mentioned in http://unicode.org/reports/tr29 table 2. * * CR and LF are moved to the bottom of the list because they occur only once * and so good candidates to take 2 decimal digit values. * @enum {number} * @protected */ goog.i18n.GraphemeBreak.property = { ANY: 0, CONTROL: 1, EXTEND: 2, PREPEND: 3, SPACING_MARK: 4, L: 5, V: 6, T: 7, LV: 8, LVT: 9, CR: 10, LF: 11 }; /** * Grapheme Cluster Break property values for all codepoints as inversion map. * Constructed lazily. * * @type {goog.structs.InversionMap} * @private */ goog.i18n.GraphemeBreak.inversions_ = null; /** * There are two kinds of grapheme clusters: 1) Legacy 2)Extended. This method * is to check for legacy rules. * * @param {number} prop_a The property enum value of the first character. * @param {number} prop_b The property enum value of the second character. * @return {boolean} True if a & b do not form a cluster; False otherwise. * @private */ goog.i18n.GraphemeBreak.applyLegacyBreakRules_ = function(prop_a, prop_b) { var prop = goog.i18n.GraphemeBreak.property; if (prop_a == prop.CR && prop_b == prop.LF) { return false; } if (prop_a == prop.CONTROL || prop_a == prop.CR || prop_a == prop.LF) { return true; } if (prop_b == prop.CONTROL || prop_b == prop.CR || prop_b == prop.LF) { return true; } if ((prop_a == prop.L) && (prop_b == prop.L || prop_b == prop.V || prop_b == prop.LV || prop_b == prop.LVT)) { return false; } if ((prop_a == prop.LV || prop_a == prop.V) && (prop_b == prop.V || prop_b == prop.T)) { return false; } if ((prop_a == prop.LVT || prop_a == prop.T) && (prop_b == prop.T)) { return false; } if (prop_b == prop.EXTEND) { return false; } return true; }; /** * Method to return property enum value of the codepoint. If it is Hangul LV or * LVT, then it is computed; for the rest it is picked from the inversion map. * @param {number} acode The code point value of the character. * @return {number} Property enum value of codepoint. * @private */ goog.i18n.GraphemeBreak.getBreakProp_ = function(acode) { if (0xAC00 <= acode && acode <= 0xD7A3) { var prop = goog.i18n.GraphemeBreak.property; if (acode % 0x1C == 0x10) { return prop.LV; } return prop.LVT; } else { if (!goog.i18n.GraphemeBreak.inversions_) { goog.i18n.GraphemeBreak.inversions_ = new goog.structs.InversionMap( [0, 10, 1, 2, 1, 18, 95, 33, 13, 1, 594, 112, 275, 7, 263, 45, 1, 1, 1, 2, 1, 2, 1, 1, 56, 4, 12, 11, 48, 20, 17, 1, 101, 7, 1, 7, 2, 2, 1, 4, 33, 1, 1, 1, 30, 27, 91, 11, 58, 9, 269, 2, 1, 56, 1, 1, 3, 8, 4, 1, 3, 4, 13, 2, 29, 1, 2, 56, 1, 1, 1, 2, 6, 6, 1, 9, 1, 10, 2, 29, 2, 1, 56, 2, 3, 17, 30, 2, 3, 14, 1, 56, 1, 1, 3, 8, 4, 1, 20, 2, 29, 1, 2, 56, 1, 1, 2, 1, 6, 6, 11, 10, 2, 30, 1, 59, 1, 1, 1, 12, 1, 9, 1, 41, 3, 58, 3, 5, 17, 11, 2, 30, 2, 56, 1, 1, 1, 1, 2, 1, 3, 1, 5, 11, 11, 2, 30, 2, 58, 1, 2, 5, 7, 11, 10, 2, 30, 2, 70, 6, 2, 6, 7, 19, 2, 60, 11, 5, 5, 1, 1, 8, 97, 13, 3, 5, 3, 6, 74, 2, 27, 1, 1, 1, 1, 1, 4, 2, 49, 14, 1, 5, 1, 2, 8, 45, 9, 1, 100, 2, 4, 1, 6, 1, 2, 2, 2, 23, 2, 2, 4, 3, 1, 3, 2, 7, 3, 4, 13, 1, 2, 2, 6, 1, 1, 1, 112, 96, 72, 82, 357, 1, 946, 3, 29, 3, 29, 2, 30, 2, 64, 2, 1, 7, 8, 1, 2, 11, 9, 1, 45, 3, 155, 1, 118, 3, 4, 2, 9, 1, 6, 3, 116, 17, 7, 2, 77, 2, 3, 228, 4, 1, 47, 1, 1, 5, 1, 1, 5, 1, 2, 38, 9, 12, 2, 1, 30, 1, 4, 2, 2, 1, 121, 8, 8, 2, 2, 392, 64, 523, 1, 2, 2, 24, 7, 49, 16, 96, 33, 3311, 32, 554, 6, 105, 2, 30164, 4, 9, 2, 388, 1, 3, 1, 4, 1, 23, 2, 2, 1, 88, 2, 50, 16, 1, 97, 8, 25, 11, 2, 213, 6, 2, 2, 2, 2, 12, 1, 8, 1, 1, 434, 11172, 1116, 1024, 6942, 1, 737, 16, 16, 7, 216, 1, 158, 2, 89, 3, 513, 1, 2051, 15, 40, 8, 50981, 1, 1, 3, 3, 1, 5, 8, 8, 2, 7, 30, 4, 148, 3, 798140, 255], [1, 11, 1, 10, 1, 0, 1, 0, 1, 0, 2, 0, 2, 0, 2, 0, 2, 0, 2, 0, 2, 0, 2, 0, 1, 0, 2, 0, 2, 0, 2, 0, 2, 1, 2, 0, 2, 0, 2, 0, 1, 0, 2, 0, 2, 0, 2, 0, 2, 0, 2, 4, 0, 2, 0, 4, 2, 4, 2, 0, 2, 0, 2, 0, 2, 4, 0, 2, 0, 2, 4, 2, 4, 2, 0, 2, 0, 2, 0, 2, 4, 0, 2, 4, 2, 0, 2, 0, 2, 4, 0, 2, 0, 4, 2, 4, 2, 0, 2, 0, 2, 4, 0, 2, 0, 2, 4, 2, 4, 2, 0, 2, 0, 2, 0, 2, 4, 2, 4, 2, 0, 2, 0, 4, 0, 2, 4, 2, 0, 2, 0, 4, 0, 2, 0, 4, 2, 4, 2, 4, 2, 4, 2, 0, 2, 0, 4, 0, 2, 4, 2, 4, 2, 0, 2, 0, 4, 0, 2, 4, 2, 4, 2, 4, 0, 2, 0, 3, 2, 0, 2, 0, 2, 0, 3, 0, 2, 0, 2, 0, 2, 0, 2, 0, 2, 0, 4, 0, 2, 4, 2, 0, 2, 0, 2, 0, 2, 0, 4, 2, 4, 2, 4, 2, 4, 2, 0, 4, 2, 0, 2, 0, 4, 0, 4, 0, 2, 0, 2, 4, 2, 4, 2, 0, 4, 0, 5, 6, 7, 0, 2, 0, 2, 0, 2, 0, 2, 0, 2, 0, 1, 4, 2, 4, 2, 4, 2, 0, 2, 0, 2, 0, 2, 0, 2, 4, 2, 4, 2, 4, 2, 0, 4, 0, 4, 0, 2, 4, 0, 2, 4, 0, 2, 4, 2, 4, 2, 4, 2, 4, 0, 2, 0, 2, 4, 0, 4, 2, 4, 2, 4, 0, 4, 2, 4, 2, 0, 2, 0, 1, 2, 1, 0, 1, 0, 1, 0, 2, 0, 2, 0, 2, 0, 2, 0, 2, 0, 2, 0, 2, 0, 2, 0, 2, 0, 4, 2, 4, 0, 4, 0, 4, 2, 0, 2, 0, 2, 4, 0, 2, 4, 2, 4, 2, 0, 2, 0, 2, 4, 0, 9, 0, 2, 0, 2, 0, 2, 0, 2, 0, 1, 0, 2, 0, 1, 0, 2, 0, 2, 0, 2, 0, 2, 4, 2, 0, 4, 2, 1, 2, 0, 2, 0, 2, 0, 2, 0, 1, 2], true); } return /** @type {number} */ ( goog.i18n.GraphemeBreak.inversions_.at(acode)); } }; /** * There are two kinds of grapheme clusters: 1) Legacy 2)Extended. This method * is to check for both using a boolean flag to switch between them. * @param {number} a The code point value of the first character. * @param {number} b The code point value of the second character. * @param {boolean=} opt_extended If true, indicates extended grapheme cluster; * If false, indicates legacy cluster. * @return {boolean} True if a & b do not form a cluster; False otherwise. */ goog.i18n.GraphemeBreak.hasGraphemeBreak = function(a, b, opt_extended) { var prop_a = goog.i18n.GraphemeBreak.getBreakProp_(a); var prop_b = goog.i18n.GraphemeBreak.getBreakProp_(b); var prop = goog.i18n.GraphemeBreak.property; return goog.i18n.GraphemeBreak.applyLegacyBreakRules_(prop_a, prop_b) && !(opt_extended && (prop_a == prop.PREPEND || prop_b == prop.SPACING_MARK)); };
JavaScript
// Copyright 2007 The Closure Library Authors. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS-IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. /** * @fileoverview Utility functions for supporting Bidi issues. */ /** * Namespace for bidi supporting functions. */ goog.provide('goog.i18n.bidi'); /** * @define {boolean} FORCE_RTL forces the {@link goog.i18n.bidi.IS_RTL} constant * to say that the current locale is a RTL locale. This should only be used * if you want to override the default behavior for deciding whether the * current locale is RTL or not. * * {@see goog.i18n.bidi.IS_RTL} */ goog.i18n.bidi.FORCE_RTL = false; /** * Constant that defines whether or not the current locale is a RTL locale. * If {@link goog.i18n.bidi.FORCE_RTL} is not true, this constant will default * to check that {@link goog.LOCALE} is one of a few major RTL locales. * * <p>This is designed to be a maximally efficient compile-time constant. For * example, for the default goog.LOCALE, compiling * "if (goog.i18n.bidi.IS_RTL) alert('rtl') else {}" should produce no code. It * is this design consideration that limits the implementation to only * supporting a few major RTL locales, as opposed to the broader repertoire of * something like goog.i18n.bidi.isRtlLanguage. * * <p>Since this constant refers to the directionality of the locale, it is up * to the caller to determine if this constant should also be used for the * direction of the UI. * * {@see goog.LOCALE} * * @type {boolean} * * TODO(user): write a test that checks that this is a compile-time constant. */ goog.i18n.bidi.IS_RTL = goog.i18n.bidi.FORCE_RTL || (goog.LOCALE.substring(0, 2).toLowerCase() == 'ar' || goog.LOCALE.substring(0, 2).toLowerCase() == 'fa' || goog.LOCALE.substring(0, 2).toLowerCase() == 'he' || goog.LOCALE.substring(0, 2).toLowerCase() == 'iw' || goog.LOCALE.substring(0, 2).toLowerCase() == 'ur' || goog.LOCALE.substring(0, 2).toLowerCase() == 'yi') && (goog.LOCALE.length == 2 || goog.LOCALE.substring(2, 3) == '-' || goog.LOCALE.substring(2, 3) == '_'); /** * Unicode formatting characters and directionality string constants. * @enum {string} */ goog.i18n.bidi.Format = { /** Unicode "Left-To-Right Embedding" (LRE) character. */ LRE: '\u202A', /** Unicode "Right-To-Left Embedding" (RLE) character. */ RLE: '\u202B', /** Unicode "Pop Directional Formatting" (PDF) character. */ PDF: '\u202C', /** Unicode "Left-To-Right Mark" (LRM) character. */ LRM: '\u200E', /** Unicode "Right-To-Left Mark" (RLM) character. */ RLM: '\u200F' }; /** * Directionality enum. * @enum {number} */ goog.i18n.bidi.Dir = { RTL: -1, UNKNOWN: 0, LTR: 1 }; /** * 'right' string constant. * @type {string} */ goog.i18n.bidi.RIGHT = 'right'; /** * 'left' string constant. * @type {string} */ goog.i18n.bidi.LEFT = 'left'; /** * 'left' if locale is RTL, 'right' if not. * @type {string} */ goog.i18n.bidi.I18N_RIGHT = goog.i18n.bidi.IS_RTL ? goog.i18n.bidi.LEFT : goog.i18n.bidi.RIGHT; /** * 'right' if locale is RTL, 'left' if not. * @type {string} */ goog.i18n.bidi.I18N_LEFT = goog.i18n.bidi.IS_RTL ? goog.i18n.bidi.RIGHT : goog.i18n.bidi.LEFT; /** * Convert a directionality given in various formats to a goog.i18n.bidi.Dir * constant. Useful for interaction with different standards of directionality * representation. * * @param {goog.i18n.bidi.Dir|number|boolean} givenDir Directionality given in * one of the following formats: * 1. A goog.i18n.bidi.Dir constant. * 2. A number (positive = LRT, negative = RTL, 0 = unknown). * 3. A boolean (true = RTL, false = LTR). * @return {goog.i18n.bidi.Dir} A goog.i18n.bidi.Dir constant matching the given * directionality. */ goog.i18n.bidi.toDir = function(givenDir) { if (typeof givenDir == 'number') { return givenDir > 0 ? goog.i18n.bidi.Dir.LTR : givenDir < 0 ? goog.i18n.bidi.Dir.RTL : goog.i18n.bidi.Dir.UNKNOWN; } else { return givenDir ? goog.i18n.bidi.Dir.RTL : goog.i18n.bidi.Dir.LTR; } }; /** * A practical pattern to identify strong LTR characters. This pattern is not * theoretically correct according to the Unicode standard. It is simplified for * performance and small code size. * @type {string} * @private */ goog.i18n.bidi.ltrChars_ = 'A-Za-z\u00C0-\u00D6\u00D8-\u00F6\u00F8-\u02B8\u0300-\u0590\u0800-\u1FFF' + '\u2C00-\uFB1C\uFE00-\uFE6F\uFEFD-\uFFFF'; /** * A practical pattern to identify strong RTL character. This pattern is not * theoretically correct according to the Unicode standard. It is simplified * for performance and small code size. * @type {string} * @private */ goog.i18n.bidi.rtlChars_ = '\u0591-\u07FF\uFB1D-\uFDFF\uFE70-\uFEFC'; /** * Simplified regular expression for an HTML tag (opening or closing) or an HTML * escape. We might want to skip over such expressions when estimating the text * directionality. * @type {RegExp} * @private */ goog.i18n.bidi.htmlSkipReg_ = /<[^>]*>|&[^;]+;/g; /** * Returns the input text with spaces instead of HTML tags or HTML escapes, if * opt_isStripNeeded is true. Else returns the input as is. * Useful for text directionality estimation. * Note: the function should not be used in other contexts; it is not 100% * correct, but rather a good-enough implementation for directionality * estimation purposes. * @param {string} str The given string. * @param {boolean=} opt_isStripNeeded Whether to perform the stripping. * Default: false (to retain consistency with calling functions). * @return {string} The given string cleaned of HTML tags / escapes. * @private */ goog.i18n.bidi.stripHtmlIfNeeded_ = function(str, opt_isStripNeeded) { return opt_isStripNeeded ? str.replace(goog.i18n.bidi.htmlSkipReg_, ' ') : str; }; /** * Regular expression to check for RTL characters. * @type {RegExp} * @private */ goog.i18n.bidi.rtlCharReg_ = new RegExp('[' + goog.i18n.bidi.rtlChars_ + ']'); /** * Regular expression to check for LTR characters. * @type {RegExp} * @private */ goog.i18n.bidi.ltrCharReg_ = new RegExp('[' + goog.i18n.bidi.ltrChars_ + ']'); /** * Test whether the given string has any RTL characters in it. * @param {string} str The given string that need to be tested. * @param {boolean=} opt_isHtml Whether str is HTML / HTML-escaped. * Default: false. * @return {boolean} Whether the string contains RTL characters. */ goog.i18n.bidi.hasAnyRtl = function(str, opt_isHtml) { return goog.i18n.bidi.rtlCharReg_.test(goog.i18n.bidi.stripHtmlIfNeeded_( str, opt_isHtml)); }; /** * Test whether the given string has any RTL characters in it. * @param {string} str The given string that need to be tested. * @return {boolean} Whether the string contains RTL characters. * @deprecated Use hasAnyRtl. */ goog.i18n.bidi.hasRtlChar = goog.i18n.bidi.hasAnyRtl; /** * Test whether the given string has any LTR characters in it. * @param {string} str The given string that need to be tested. * @param {boolean=} opt_isHtml Whether str is HTML / HTML-escaped. * Default: false. * @return {boolean} Whether the string contains LTR characters. */ goog.i18n.bidi.hasAnyLtr = function(str, opt_isHtml) { return goog.i18n.bidi.ltrCharReg_.test(goog.i18n.bidi.stripHtmlIfNeeded_( str, opt_isHtml)); }; /** * Regular expression pattern to check if the first character in the string * is LTR. * @type {RegExp} * @private */ goog.i18n.bidi.ltrRe_ = new RegExp('^[' + goog.i18n.bidi.ltrChars_ + ']'); /** * Regular expression pattern to check if the first character in the string * is RTL. * @type {RegExp} * @private */ goog.i18n.bidi.rtlRe_ = new RegExp('^[' + goog.i18n.bidi.rtlChars_ + ']'); /** * Check if the first character in the string is RTL or not. * @param {string} str The given string that need to be tested. * @return {boolean} Whether the first character in str is an RTL char. */ goog.i18n.bidi.isRtlChar = function(str) { return goog.i18n.bidi.rtlRe_.test(str); }; /** * Check if the first character in the string is LTR or not. * @param {string} str The given string that need to be tested. * @return {boolean} Whether the first character in str is an LTR char. */ goog.i18n.bidi.isLtrChar = function(str) { return goog.i18n.bidi.ltrRe_.test(str); }; /** * Check if the first character in the string is neutral or not. * @param {string} str The given string that need to be tested. * @return {boolean} Whether the first character in str is a neutral char. */ goog.i18n.bidi.isNeutralChar = function(str) { return !goog.i18n.bidi.isLtrChar(str) && !goog.i18n.bidi.isRtlChar(str); }; /** * Regular expressions to check if a piece of text is of LTR directionality * on first character with strong directionality. * @type {RegExp} * @private */ goog.i18n.bidi.ltrDirCheckRe_ = new RegExp( '^[^' + goog.i18n.bidi.rtlChars_ + ']*[' + goog.i18n.bidi.ltrChars_ + ']'); /** * Regular expressions to check if a piece of text is of RTL directionality * on first character with strong directionality. * @type {RegExp} * @private */ goog.i18n.bidi.rtlDirCheckRe_ = new RegExp( '^[^' + goog.i18n.bidi.ltrChars_ + ']*[' + goog.i18n.bidi.rtlChars_ + ']'); /** * Check whether the first strongly directional character (if any) is RTL. * @param {string} str String being checked. * @param {boolean=} opt_isHtml Whether str is HTML / HTML-escaped. * Default: false. * @return {boolean} Whether RTL directionality is detected using the first * strongly-directional character method. */ goog.i18n.bidi.startsWithRtl = function(str, opt_isHtml) { return goog.i18n.bidi.rtlDirCheckRe_.test(goog.i18n.bidi.stripHtmlIfNeeded_( str, opt_isHtml)); }; /** * Check whether the first strongly directional character (if any) is RTL. * @param {string} str String being checked. * @param {boolean=} opt_isHtml Whether str is HTML / HTML-escaped. * Default: false. * @return {boolean} Whether RTL directionality is detected using the first * strongly-directional character method. * @deprecated Use startsWithRtl. */ goog.i18n.bidi.isRtlText = goog.i18n.bidi.startsWithRtl; /** * Check whether the first strongly directional character (if any) is LTR. * @param {string} str String being checked. * @param {boolean=} opt_isHtml Whether str is HTML / HTML-escaped. * Default: false. * @return {boolean} Whether LTR directionality is detected using the first * strongly-directional character method. */ goog.i18n.bidi.startsWithLtr = function(str, opt_isHtml) { return goog.i18n.bidi.ltrDirCheckRe_.test(goog.i18n.bidi.stripHtmlIfNeeded_( str, opt_isHtml)); }; /** * Check whether the first strongly directional character (if any) is LTR. * @param {string} str String being checked. * @param {boolean=} opt_isHtml Whether str is HTML / HTML-escaped. * Default: false. * @return {boolean} Whether LTR directionality is detected using the first * strongly-directional character method. * @deprecated Use startsWithLtr. */ goog.i18n.bidi.isLtrText = goog.i18n.bidi.startsWithLtr; /** * Regular expression to check if a string looks like something that must * always be LTR even in RTL text, e.g. a URL. When estimating the * directionality of text containing these, we treat these as weakly LTR, * like numbers. * @type {RegExp} * @private */ goog.i18n.bidi.isRequiredLtrRe_ = /^http:\/\/.*/; /** * Check whether the input string either contains no strongly directional * characters or looks like a url. * @param {string} str String being checked. * @param {boolean=} opt_isHtml Whether str is HTML / HTML-escaped. * Default: false. * @return {boolean} Whether neutral directionality is detected. */ goog.i18n.bidi.isNeutralText = function(str, opt_isHtml) { str = goog.i18n.bidi.stripHtmlIfNeeded_(str, opt_isHtml); return goog.i18n.bidi.isRequiredLtrRe_.test(str) || !goog.i18n.bidi.hasAnyLtr(str) && !goog.i18n.bidi.hasAnyRtl(str); }; /** * Regular expressions to check if the last strongly-directional character in a * piece of text is LTR. * @type {RegExp} * @private */ goog.i18n.bidi.ltrExitDirCheckRe_ = new RegExp( '[' + goog.i18n.bidi.ltrChars_ + '][^' + goog.i18n.bidi.rtlChars_ + ']*$'); /** * Regular expressions to check if the last strongly-directional character in a * piece of text is RTL. * @type {RegExp} * @private */ goog.i18n.bidi.rtlExitDirCheckRe_ = new RegExp( '[' + goog.i18n.bidi.rtlChars_ + '][^' + goog.i18n.bidi.ltrChars_ + ']*$'); /** * Check if the exit directionality a piece of text is LTR, i.e. if the last * strongly-directional character in the string is LTR. * @param {string} str String being checked. * @param {boolean=} opt_isHtml Whether str is HTML / HTML-escaped. * Default: false. * @return {boolean} Whether LTR exit directionality was detected. */ goog.i18n.bidi.endsWithLtr = function(str, opt_isHtml) { return goog.i18n.bidi.ltrExitDirCheckRe_.test( goog.i18n.bidi.stripHtmlIfNeeded_(str, opt_isHtml)); }; /** * Check if the exit directionality a piece of text is LTR, i.e. if the last * strongly-directional character in the string is LTR. * @param {string} str String being checked. * @param {boolean=} opt_isHtml Whether str is HTML / HTML-escaped. * Default: false. * @return {boolean} Whether LTR exit directionality was detected. * @deprecated Use endsWithLtr. */ goog.i18n.bidi.isLtrExitText = goog.i18n.bidi.endsWithLtr; /** * Check if the exit directionality a piece of text is RTL, i.e. if the last * strongly-directional character in the string is RTL. * @param {string} str String being checked. * @param {boolean=} opt_isHtml Whether str is HTML / HTML-escaped. * Default: false. * @return {boolean} Whether RTL exit directionality was detected. */ goog.i18n.bidi.endsWithRtl = function(str, opt_isHtml) { return goog.i18n.bidi.rtlExitDirCheckRe_.test( goog.i18n.bidi.stripHtmlIfNeeded_(str, opt_isHtml)); }; /** * Check if the exit directionality a piece of text is RTL, i.e. if the last * strongly-directional character in the string is RTL. * @param {string} str String being checked. * @param {boolean=} opt_isHtml Whether str is HTML / HTML-escaped. * Default: false. * @return {boolean} Whether RTL exit directionality was detected. * @deprecated Use endsWithRtl. */ goog.i18n.bidi.isRtlExitText = goog.i18n.bidi.endsWithRtl; /** * A regular expression for matching right-to-left language codes. * See {@link #isRtlLanguage} for the design. * @type {RegExp} * @private */ goog.i18n.bidi.rtlLocalesRe_ = new RegExp( '^(ar|dv|he|iw|fa|nqo|ps|sd|ug|ur|yi|.*[-_](Arab|Hebr|Thaa|Nkoo|Tfng))' + '(?!.*[-_](Latn|Cyrl)($|-|_))($|-|_)', 'i'); /** * Check if a BCP 47 / III language code indicates an RTL language, i.e. either: * - a language code explicitly specifying one of the right-to-left scripts, * e.g. "az-Arab", or<p> * - a language code specifying one of the languages normally written in a * right-to-left script, e.g. "fa" (Farsi), except ones explicitly specifying * Latin or Cyrillic script (which are the usual LTR alternatives).<p> * The list of right-to-left scripts appears in the 100-199 range in * http://www.unicode.org/iso15924/iso15924-num.html, of which Arabic and * Hebrew are by far the most widely used. We also recognize Thaana, N'Ko, and * Tifinagh, which also have significant modern usage. The rest (Syriac, * Samaritan, Mandaic, etc.) seem to have extremely limited or no modern usage * and are not recognized to save on code size. * The languages usually written in a right-to-left script are taken as those * with Suppress-Script: Hebr|Arab|Thaa|Nkoo|Tfng in * http://www.iana.org/assignments/language-subtag-registry, * as well as Sindhi (sd) and Uyghur (ug). * Other subtags of the language code, e.g. regions like EG (Egypt), are * ignored. * @param {string} lang BCP 47 (a.k.a III) language code. * @return {boolean} Whether the language code is an RTL language. */ goog.i18n.bidi.isRtlLanguage = function(lang) { return goog.i18n.bidi.rtlLocalesRe_.test(lang); }; /** * Regular expression for bracket guard replacement in html. * @type {RegExp} * @private */ goog.i18n.bidi.bracketGuardHtmlRe_ = /(\(.*?\)+)|(\[.*?\]+)|(\{.*?\}+)|(&lt;.*?(&gt;)+)/g; /** * Regular expression for bracket guard replacement in text. * @type {RegExp} * @private */ goog.i18n.bidi.bracketGuardTextRe_ = /(\(.*?\)+)|(\[.*?\]+)|(\{.*?\}+)|(<.*?>+)/g; /** * Apply bracket guard using html span tag. This is to address the problem of * messy bracket display frequently happens in RTL layout. * @param {string} s The string that need to be processed. * @param {boolean=} opt_isRtlContext specifies default direction (usually * direction of the UI). * @return {string} The processed string, with all bracket guarded. */ goog.i18n.bidi.guardBracketInHtml = function(s, opt_isRtlContext) { var useRtl = opt_isRtlContext === undefined ? goog.i18n.bidi.hasAnyRtl(s) : opt_isRtlContext; if (useRtl) { return s.replace(goog.i18n.bidi.bracketGuardHtmlRe_, '<span dir=rtl>$&</span>'); } return s.replace(goog.i18n.bidi.bracketGuardHtmlRe_, '<span dir=ltr>$&</span>'); }; /** * Apply bracket guard using LRM and RLM. This is to address the problem of * messy bracket display frequently happens in RTL layout. * This version works for both plain text and html. But it does not work as * good as guardBracketInHtml in some cases. * @param {string} s The string that need to be processed. * @param {boolean=} opt_isRtlContext specifies default direction (usually * direction of the UI). * @return {string} The processed string, with all bracket guarded. */ goog.i18n.bidi.guardBracketInText = function(s, opt_isRtlContext) { var useRtl = opt_isRtlContext === undefined ? goog.i18n.bidi.hasAnyRtl(s) : opt_isRtlContext; var mark = useRtl ? goog.i18n.bidi.Format.RLM : goog.i18n.bidi.Format.LRM; return s.replace(goog.i18n.bidi.bracketGuardTextRe_, mark + '$&' + mark); }; /** * Enforce the html snippet in RTL directionality regardless overall context. * If the html piece was enclosed by tag, dir will be applied to existing * tag, otherwise a span tag will be added as wrapper. For this reason, if * html snippet start with with tag, this tag must enclose the whole piece. If * the tag already has a dir specified, this new one will override existing * one in behavior (tested on FF and IE). * @param {string} html The string that need to be processed. * @return {string} The processed string, with directionality enforced to RTL. */ goog.i18n.bidi.enforceRtlInHtml = function(html) { if (html.charAt(0) == '<') { return html.replace(/<\w+/, '$& dir=rtl'); } // '\n' is important for FF so that it won't incorrectly merge span groups return '\n<span dir=rtl>' + html + '</span>'; }; /** * Enforce RTL on both end of the given text piece using unicode BiDi formatting * characters RLE and PDF. * @param {string} text The piece of text that need to be wrapped. * @return {string} The wrapped string after process. */ goog.i18n.bidi.enforceRtlInText = function(text) { return goog.i18n.bidi.Format.RLE + text + goog.i18n.bidi.Format.PDF; }; /** * Enforce the html snippet in RTL directionality regardless overall context. * If the html piece was enclosed by tag, dir will be applied to existing * tag, otherwise a span tag will be added as wrapper. For this reason, if * html snippet start with with tag, this tag must enclose the whole piece. If * the tag already has a dir specified, this new one will override existing * one in behavior (tested on FF and IE). * @param {string} html The string that need to be processed. * @return {string} The processed string, with directionality enforced to RTL. */ goog.i18n.bidi.enforceLtrInHtml = function(html) { if (html.charAt(0) == '<') { return html.replace(/<\w+/, '$& dir=ltr'); } // '\n' is important for FF so that it won't incorrectly merge span groups return '\n<span dir=ltr>' + html + '</span>'; }; /** * Enforce LTR on both end of the given text piece using unicode BiDi formatting * characters LRE and PDF. * @param {string} text The piece of text that need to be wrapped. * @return {string} The wrapped string after process. */ goog.i18n.bidi.enforceLtrInText = function(text) { return goog.i18n.bidi.Format.LRE + text + goog.i18n.bidi.Format.PDF; }; /** * Regular expression to find dimensions such as "padding: .3 0.4ex 5px 6;" * @type {RegExp} * @private */ goog.i18n.bidi.dimensionsRe_ = /:\s*([.\d][.\w]*)\s+([.\d][.\w]*)\s+([.\d][.\w]*)\s+([.\d][.\w]*)/g; /** * Regular expression for left. * @type {RegExp} * @private */ goog.i18n.bidi.leftRe_ = /left/gi; /** * Regular expression for right. * @type {RegExp} * @private */ goog.i18n.bidi.rightRe_ = /right/gi; /** * Placeholder regular expression for swapping. * @type {RegExp} * @private */ goog.i18n.bidi.tempRe_ = /%%%%/g; /** * Swap location parameters and 'left'/'right' in CSS specification. The * processed string will be suited for RTL layout. Though this function can * cover most cases, there are always exceptions. It is suggested to put * those exceptions in separate group of CSS string. * @param {string} cssStr CSS spefication string. * @return {string} Processed CSS specification string. */ goog.i18n.bidi.mirrorCSS = function(cssStr) { return cssStr. // reverse dimensions replace(goog.i18n.bidi.dimensionsRe_, ':$1 $4 $3 $2'). replace(goog.i18n.bidi.leftRe_, '%%%%'). // swap left and right replace(goog.i18n.bidi.rightRe_, goog.i18n.bidi.LEFT). replace(goog.i18n.bidi.tempRe_, goog.i18n.bidi.RIGHT); }; /** * Regular expression for hebrew double quote substitution, finding quote * directly after hebrew characters. * @type {RegExp} * @private */ goog.i18n.bidi.doubleQuoteSubstituteRe_ = /([\u0591-\u05f2])"/g; /** * Regular expression for hebrew single quote substitution, finding quote * directly after hebrew characters. * @type {RegExp} * @private */ goog.i18n.bidi.singleQuoteSubstituteRe_ = /([\u0591-\u05f2])'/g; /** * Replace the double and single quote directly after a Hebrew character with * GERESH and GERSHAYIM. In such case, most likely that's user intention. * @param {string} str String that need to be processed. * @return {string} Processed string with double/single quote replaced. */ goog.i18n.bidi.normalizeHebrewQuote = function(str) { return str. replace(goog.i18n.bidi.doubleQuoteSubstituteRe_, '$1\u05f4'). replace(goog.i18n.bidi.singleQuoteSubstituteRe_, '$1\u05f3'); }; /** * Regular expression to split a string into "words" for directionality * estimation based on relative word counts. * @type {RegExp} * @private */ goog.i18n.bidi.wordSeparatorRe_ = /\s+/; /** * Regular expression to check if a string contains any numerals. Used to * differentiate between completely neutral strings and those containing * numbers, which are weakly LTR. * @type {RegExp} * @private */ goog.i18n.bidi.hasNumeralsRe_ = /\d/; /** * This constant controls threshold of RTL directionality. * @type {number} * @private */ goog.i18n.bidi.rtlDetectionThreshold_ = 0.40; /** * Estimates the directionality of a string based on relative word counts. * If the number of RTL words is above a certain percentage of the total number * of strongly directional words, returns RTL. * Otherwise, if any words are strongly or weakly LTR, returns LTR. * Otherwise, returns UNKNOWN, which is used to mean "neutral". * Numbers are counted as weakly LTR. * @param {string} str The string to be checked. * @param {boolean=} opt_isHtml Whether str is HTML / HTML-escaped. * Default: false. * @return {goog.i18n.bidi.Dir} Estimated overall directionality of {@code str}. */ goog.i18n.bidi.estimateDirection = function(str, opt_isHtml) { var rtlCount = 0; var totalCount = 0; var hasWeaklyLtr = false; var tokens = goog.i18n.bidi.stripHtmlIfNeeded_(str, opt_isHtml). split(goog.i18n.bidi.wordSeparatorRe_); for (var i = 0; i < tokens.length; i++) { var token = tokens[i]; if (goog.i18n.bidi.startsWithRtl(token)) { rtlCount++; totalCount++; } else if (goog.i18n.bidi.isRequiredLtrRe_.test(token)) { hasWeaklyLtr = true; } else if (goog.i18n.bidi.hasAnyLtr(token)) { totalCount++; } else if (goog.i18n.bidi.hasNumeralsRe_.test(token)) { hasWeaklyLtr = true; } } return totalCount == 0 ? (hasWeaklyLtr ? goog.i18n.bidi.Dir.LTR : goog.i18n.bidi.Dir.UNKNOWN) : (rtlCount / totalCount > goog.i18n.bidi.rtlDetectionThreshold_ ? goog.i18n.bidi.Dir.RTL : goog.i18n.bidi.Dir.LTR); }; /** * Check the directionality of a piece of text, return true if the piece of * text should be laid out in RTL direction. * @param {string} str The piece of text that need to be detected. * @param {boolean=} opt_isHtml Whether str is HTML / HTML-escaped. * Default: false. * @return {boolean} Whether this piece of text should be laid out in RTL. */ goog.i18n.bidi.detectRtlDirectionality = function(str, opt_isHtml) { return goog.i18n.bidi.estimateDirection(str, opt_isHtml) == goog.i18n.bidi.Dir.RTL; }; /** * Sets text input element's directionality and text alignment based on a * given directionality. * @param {Element} element Input field element to set directionality to. * @param {goog.i18n.bidi.Dir|number|boolean} dir Desired directionality, given * in one of the following formats: * 1. A goog.i18n.bidi.Dir constant. * 2. A number (positive = LRT, negative = RTL, 0 = unknown). * 3. A boolean (true = RTL, false = LTR). */ goog.i18n.bidi.setElementDirAndAlign = function(element, dir) { if (element && (dir = goog.i18n.bidi.toDir(dir)) != goog.i18n.bidi.Dir.UNKNOWN) { element.style.textAlign = dir == goog.i18n.bidi.Dir.RTL ? 'right' : 'left'; element.dir = dir == goog.i18n.bidi.Dir.RTL ? 'rtl' : 'ltr'; } };
JavaScript