i18n.js 63.5 KB
Newer Older
1
// Copyright 2013 the V8 project authors. All rights reserved.
2 3
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
4

5 6 7 8 9 10
// ECMAScript 402 API implementation.

/**
 * Intl object is a single object that has some named properties,
 * all of which are constructors.
 */
11
(function(global, utils) {
12

13 14 15 16
"use strict";

%CheckIsBootstrapping();

17 18 19
// -------------------------------------------------------------------
// Imports

20
var GlobalBoolean = global.Boolean;
21
var GlobalDate = global.Date;
22
var GlobalNumber = global.Number;
23 24
var GlobalRegExp = global.RegExp;
var GlobalString = global.String;
25 26 27
var ObjectDefineProperties = utils.ObjectDefineProperties;
var ObjectDefineProperty = utils.ObjectDefineProperty;
var SetFunctionName = utils.SetFunctionName;
28

29 30
var IsFinite;
var IsNaN;
31 32 33
var MathFloor;

utils.Import(function(from) {
34 35
  IsFinite = from.IsFinite;
  IsNaN = from.IsNaN;
36 37 38 39
  MathFloor = from.MathFloor;
});

// -------------------------------------------------------------------
40

41 42 43 44
var Intl = {};

%AddNamedProperty(global, "Intl", Intl, DONT_ENUM);

45 46 47 48
/**
 * Caches available locales for each service.
 */
var AVAILABLE_LOCALES = {
49 50 51 52
  'collator': UNDEFINED,
  'numberformat': UNDEFINED,
  'dateformat': UNDEFINED,
  'breakiterator': UNDEFINED
53 54 55 56 57
};

/**
 * Caches default ICU locale.
 */
58
var DEFAULT_ICU_LOCALE = UNDEFINED;
59 60 61 62

/**
 * Unicode extension regular expression.
 */
63
var UNICODE_EXTENSION_RE = UNDEFINED;
64 65

function GetUnicodeExtensionRE() {
66
  if (IS_UNDEFINED(UNDEFINED)) {
67
    UNICODE_EXTENSION_RE = new GlobalRegExp('-u(-[a-z0-9]{2,8})+', 'g');
68 69 70 71 72 73 74
  }
  return UNICODE_EXTENSION_RE;
}

/**
 * Matches any Unicode extension.
 */
75
var ANY_EXTENSION_RE = UNDEFINED;
76 77

function GetAnyExtensionRE() {
78
  if (IS_UNDEFINED(ANY_EXTENSION_RE)) {
79
    ANY_EXTENSION_RE = new GlobalRegExp('-[a-z0-9]{1}-.*', 'g');
80 81 82 83 84 85 86
  }
  return ANY_EXTENSION_RE;
}

/**
 * Replace quoted text (single quote, anything but the quote and quote again).
 */
87
var QUOTED_STRING_RE = UNDEFINED;
88 89

function GetQuotedStringRE() {
90
  if (IS_UNDEFINED(QUOTED_STRING_RE)) {
91
    QUOTED_STRING_RE = new GlobalRegExp("'[^']+'", 'g');
92 93 94 95 96 97 98
  }
  return QUOTED_STRING_RE;
}

/**
 * Matches valid service name.
 */
99
var SERVICE_RE = UNDEFINED;
100 101

function GetServiceRE() {
102
  if (IS_UNDEFINED(SERVICE_RE)) {
103
    SERVICE_RE =
104
        new GlobalRegExp('^(collator|numberformat|dateformat|breakiterator)$');
105 106 107 108 109 110 111 112
  }
  return SERVICE_RE;
}

/**
 * Validates a language tag against bcp47 spec.
 * Actual value is assigned on first run.
 */
113
var LANGUAGE_TAG_RE = UNDEFINED;
114 115

function GetLanguageTagRE() {
116
  if (IS_UNDEFINED(LANGUAGE_TAG_RE)) {
117 118 119 120 121 122 123 124
    BuildLanguageTagREs();
  }
  return LANGUAGE_TAG_RE;
}

/**
 * Helps find duplicate variants in the language tag.
 */
125
var LANGUAGE_VARIANT_RE = UNDEFINED;
126 127

function GetLanguageVariantRE() {
128
  if (IS_UNDEFINED(LANGUAGE_VARIANT_RE)) {
129 130 131 132 133 134 135 136
    BuildLanguageTagREs();
  }
  return LANGUAGE_VARIANT_RE;
}

/**
 * Helps find duplicate singletons in the language tag.
 */
137
var LANGUAGE_SINGLETON_RE = UNDEFINED;
138 139

function GetLanguageSingletonRE() {
140
  if (IS_UNDEFINED(LANGUAGE_SINGLETON_RE)) {
141 142 143 144 145 146 147 148
    BuildLanguageTagREs();
  }
  return LANGUAGE_SINGLETON_RE;
}

/**
 * Matches valid IANA time zone names.
 */
149
var TIMEZONE_NAME_CHECK_RE = UNDEFINED;
150 151

function GetTimezoneNameCheckRE() {
152
  if (IS_UNDEFINED(TIMEZONE_NAME_CHECK_RE)) {
153
    TIMEZONE_NAME_CHECK_RE =
154
        new GlobalRegExp('^([A-Za-z]+)/([A-Za-z]+)(?:_([A-Za-z]+))*$');
155 156 157 158 159 160 161 162
  }
  return TIMEZONE_NAME_CHECK_RE;
}

/**
 * Adds bound method to the prototype of the given object.
 */
function addBoundMethod(obj, methodName, implementation, length) {
163
  %CheckIsBootstrapping();
164
  function getter() {
165
    if (!%IsInitializedIntlObject(this)) {
166
      throw MakeTypeError(kMethodCalledOnWrongObject, methodName);
167 168
    }
    var internalName = '__bound' + methodName + '__';
169
    if (IS_UNDEFINED(this[internalName])) {
170 171
      var that = this;
      var boundMethod;
172
      if (IS_UNDEFINED(length) || length === 2) {
173 174
        boundMethod = function(x, y) {
          if (%_IsConstructCall()) {
175
            throw MakeTypeError(kOrdinaryFunctionCalledAsConstructor);
176 177 178 179 180 181
          }
          return implementation(that, x, y);
        }
      } else if (length === 1) {
        boundMethod = function(x) {
          if (%_IsConstructCall()) {
182
            throw MakeTypeError(kOrdinaryFunctionCalledAsConstructor);
183 184 185 186 187 188
          }
          return implementation(that, x);
        }
      } else {
        boundMethod = function() {
          if (%_IsConstructCall()) {
189
            throw MakeTypeError(kOrdinaryFunctionCalledAsConstructor);
190 191 192 193
          }
          // DateTimeFormat.format needs to be 0 arg method, but can stil
          // receive optional dateValue param. If one was provided, pass it
          // along.
194 195
          if (%_ArgumentsLength() > 0) {
            return implementation(that, %_Arguments(0));
196 197 198 199 200
          } else {
            return implementation(that);
          }
        }
      }
201
      SetFunctionName(boundMethod, internalName);
202 203 204 205 206 207 208
      %FunctionRemovePrototype(boundMethod);
      %SetNativeFlag(boundMethod);
      this[internalName] = boundMethod;
    }
    return this[internalName];
  }

209
  SetFunctionName(getter, methodName);
210 211 212
  %FunctionRemovePrototype(getter);
  %SetNativeFlag(getter);

213
  ObjectDefineProperty(obj.prototype, methodName, {
214 215 216 217 218 219 220 221 222 223 224 225
    get: getter,
    enumerable: false,
    configurable: true
  });
}


/**
 * Returns an intersection of locales and service supported locales.
 * Parameter locales is treated as a priority list.
 */
function supportedLocalesOf(service, locales, options) {
226
  if (IS_NULL(service.match(GetServiceRE()))) {
227
    throw MakeError(kWrongServiceType, service);
228 229 230
  }

  // Provide defaults if matcher was not specified.
231
  if (IS_UNDEFINED(options)) {
232 233
    options = {};
  } else {
234
    options = $toObject(options);
235 236 237
  }

  var matcher = options.localeMatcher;
238
  if (!IS_UNDEFINED(matcher)) {
239
    matcher = GlobalString(matcher);
240
    if (matcher !== 'lookup' && matcher !== 'best fit') {
241
      throw MakeRangeError(kLocaleMatcher, matcher);
242 243 244 245 246 247 248 249
    }
  } else {
    matcher = 'best fit';
  }

  var requestedLocales = initializeLocaleList(locales);

  // Cache these, they don't ever change per service.
250
  if (IS_UNDEFINED(AVAILABLE_LOCALES[service])) {
251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275
    AVAILABLE_LOCALES[service] = getAvailableLocalesOf(service);
  }

  // Use either best fit or lookup algorithm to match locales.
  if (matcher === 'best fit') {
    return initializeLocaleList(bestFitSupportedLocalesOf(
        requestedLocales, AVAILABLE_LOCALES[service]));
  }

  return initializeLocaleList(lookupSupportedLocalesOf(
      requestedLocales, AVAILABLE_LOCALES[service]));
}


/**
 * Returns the subset of the provided BCP 47 language priority list for which
 * this service has a matching locale when using the BCP 47 Lookup algorithm.
 * Locales appear in the same order in the returned list as in the input list.
 */
function lookupSupportedLocalesOf(requestedLocales, availableLocales) {
  var matchedLocales = [];
  for (var i = 0; i < requestedLocales.length; ++i) {
    // Remove -u- extension.
    var locale = requestedLocales[i].replace(GetUnicodeExtensionRE(), '');
    do {
276
      if (!IS_UNDEFINED(availableLocales[locale])) {
277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311
        // Push requested locale not the resolved one.
        matchedLocales.push(requestedLocales[i]);
        break;
      }
      // Truncate locale if possible, if not break.
      var pos = locale.lastIndexOf('-');
      if (pos === -1) {
        break;
      }
      locale = locale.substring(0, pos);
    } while (true);
  }

  return matchedLocales;
}


/**
 * Returns the subset of the provided BCP 47 language priority list for which
 * this service has a matching locale when using the implementation
 * dependent algorithm.
 * Locales appear in the same order in the returned list as in the input list.
 */
function bestFitSupportedLocalesOf(requestedLocales, availableLocales) {
  // TODO(cira): implement better best fit algorithm.
  return lookupSupportedLocalesOf(requestedLocales, availableLocales);
}


/**
 * Returns a getOption function that extracts property value for given
 * options object. If property is missing it returns defaultValue. If value
 * is out of range for that property it throws RangeError.
 */
function getGetOption(options, caller) {
312
  if (IS_UNDEFINED(options)) throw MakeError(kDefaultOptionsMissing, caller);
313 314

  var getOption = function getOption(property, type, values, defaultValue) {
315
    if (!IS_UNDEFINED(options[property])) {
316 317 318
      var value = options[property];
      switch (type) {
        case 'boolean':
319
          value = GlobalBoolean(value);
320 321
          break;
        case 'string':
322
          value = GlobalString(value);
323 324
          break;
        case 'number':
325
          value = GlobalNumber(value);
326 327
          break;
        default:
328
          throw MakeError(kWrongValueType);
329
      }
330
      if (!IS_UNDEFINED(values) && values.indexOf(value) === -1) {
331
        throw MakeRangeError(kValueOutOfRange, value, caller, property);
332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378
      }

      return value;
    }

    return defaultValue;
  }

  return getOption;
}


/**
 * Compares a BCP 47 language priority list requestedLocales against the locales
 * in availableLocales and determines the best available language to meet the
 * request. Two algorithms are available to match the locales: the Lookup
 * algorithm described in RFC 4647 section 3.4, and an implementation dependent
 * best-fit algorithm. Independent of the locale matching algorithm, options
 * specified through Unicode locale extension sequences are negotiated
 * separately, taking the caller's relevant extension keys and locale data as
 * well as client-provided options into consideration. Returns an object with
 * a locale property whose value is the language tag of the selected locale,
 * and properties for each key in relevantExtensionKeys providing the selected
 * value for that key.
 */
function resolveLocale(service, requestedLocales, options) {
  requestedLocales = initializeLocaleList(requestedLocales);

  var getOption = getGetOption(options, service);
  var matcher = getOption('localeMatcher', 'string',
                          ['lookup', 'best fit'], 'best fit');
  var resolved;
  if (matcher === 'lookup') {
    resolved = lookupMatcher(service, requestedLocales);
  } else {
    resolved = bestFitMatcher(service, requestedLocales);
  }

  return resolved;
}


/**
 * Returns best matched supported locale and extension info using basic
 * lookup algorithm.
 */
function lookupMatcher(service, requestedLocales) {
379
  if (IS_NULL(service.match(GetServiceRE()))) {
380
    throw MakeError(kWrongServiceType, service);
381 382 383
  }

  // Cache these, they don't ever change per service.
384
  if (IS_UNDEFINED(AVAILABLE_LOCALES[service])) {
385 386 387 388 389 390 391
    AVAILABLE_LOCALES[service] = getAvailableLocalesOf(service);
  }

  for (var i = 0; i < requestedLocales.length; ++i) {
    // Remove all extensions.
    var locale = requestedLocales[i].replace(GetAnyExtensionRE(), '');
    do {
392
      if (!IS_UNDEFINED(AVAILABLE_LOCALES[service][locale])) {
393 394
        // Return the resolved locale and extension.
        var extensionMatch = requestedLocales[i].match(GetUnicodeExtensionRE());
395
        var extension = IS_NULL(extensionMatch) ? '' : extensionMatch[0];
396 397 398 399 400 401 402 403 404 405 406 407
        return {'locale': locale, 'extension': extension, 'position': i};
      }
      // Truncate locale if possible.
      var pos = locale.lastIndexOf('-');
      if (pos === -1) {
        break;
      }
      locale = locale.substring(0, pos);
    } while (true);
  }

  // Didn't find a match, return default.
408
  if (IS_UNDEFINED(DEFAULT_ICU_LOCALE)) {
409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442
    DEFAULT_ICU_LOCALE = %GetDefaultICULocale();
  }

  return {'locale': DEFAULT_ICU_LOCALE, 'extension': '', 'position': -1};
}


/**
 * Returns best matched supported locale and extension info using
 * implementation dependend algorithm.
 */
function bestFitMatcher(service, requestedLocales) {
  // TODO(cira): implement better best fit algorithm.
  return lookupMatcher(service, requestedLocales);
}


/**
 * Parses Unicode extension into key - value map.
 * Returns empty object if the extension string is invalid.
 * We are not concerned with the validity of the values at this point.
 */
function parseExtension(extension) {
  var extensionSplit = extension.split('-');

  // Assume ['', 'u', ...] input, but don't throw.
  if (extensionSplit.length <= 2 ||
      (extensionSplit[0] !== '' && extensionSplit[1] !== 'u')) {
    return {};
  }

  // Key is {2}alphanum, value is {3,8}alphanum.
  // Some keys may not have explicit values (booleans).
  var extensionMap = {};
443
  var previousKey = UNDEFINED;
444 445 446 447
  for (var i = 2; i < extensionSplit.length; ++i) {
    var length = extensionSplit[i].length;
    var element = extensionSplit[i];
    if (length === 2) {
448
      extensionMap[element] = UNDEFINED;
449
      previousKey = element;
450
    } else if (length >= 3 && length <=8 && !IS_UNDEFINED(previousKey)) {
451
      extensionMap[previousKey] = element;
452
      previousKey = UNDEFINED;
453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476
    } else {
      // There is a value that's too long, or that doesn't have a key.
      return {};
    }
  }

  return extensionMap;
}


/**
 * Populates internalOptions object with boolean key-value pairs
 * from extensionMap and options.
 * Returns filtered extension (number and date format constructors use
 * Unicode extensions for passing parameters to ICU).
 * It's used for extension-option pairs only, e.g. kn-normalization, but not
 * for 'sensitivity' since it doesn't have extension equivalent.
 * Extensions like nu and ca don't have options equivalent, so we place
 * undefined in the map.property to denote that.
 */
function setOptions(inOptions, extensionMap, keyValues, getOption, outOptions) {
  var extension = '';

  var updateExtension = function updateExtension(key, value) {
477
    return '-' + key + '-' + GlobalString(value);
478 479 480 481 482 483 484
  }

  var updateProperty = function updateProperty(property, type, value) {
    if (type === 'boolean' && (typeof value === 'string')) {
      value = (value === 'true') ? true : false;
    }

485
    if (!IS_UNDEFINED(property)) {
486 487 488 489 490 491
      defineWEProperty(outOptions, property, value);
    }
  }

  for (var key in keyValues) {
    if (keyValues.hasOwnProperty(key)) {
492
      var value = UNDEFINED;
493
      var map = keyValues[key];
494
      if (!IS_UNDEFINED(map.property)) {
495 496 497 498
        // This may return true if user specifies numeric: 'false', since
        // Boolean('nonempty') === true.
        value = getOption(map.property, map.type, map.values);
      }
499
      if (!IS_UNDEFINED(value)) {
500 501 502 503 504 505 506 507 508
        updateProperty(map.property, map.type, value);
        extension += updateExtension(key, value);
        continue;
      }
      // User options didn't have it, check Unicode extension.
      // Here we want to convert strings 'true', 'false' into proper Boolean
      // values (not a user error).
      if (extensionMap.hasOwnProperty(key)) {
        value = extensionMap[key];
509
        if (!IS_UNDEFINED(value)) {
510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531
          updateProperty(map.property, map.type, value);
          extension += updateExtension(key, value);
        } else if (map.type === 'boolean') {
          // Boolean keys are allowed not to have values in Unicode extension.
          // Those default to true.
          updateProperty(map.property, map.type, true);
          extension += updateExtension(key, true);
        }
      }
    }
  }

  return extension === ''? '' : '-u' + extension;
}


/**
 * Converts all OwnProperties into
 * configurable: false, writable: false, enumerable: true.
 */
function freezeArray(array) {
  array.forEach(function(element, index) {
532 533 534 535
    ObjectDefineProperty(array, index, {value: element,
                                        configurable: false,
                                        writable: false,
                                        enumerable: true});
536 537
  });

538 539
  ObjectDefineProperty(array, 'length', {value: array.length,
                                         writable: false});
540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565
  return array;
}


/**
 * It's sometimes desireable to leave user requested locale instead of ICU
 * supported one (zh-TW is equivalent to zh-Hant-TW, so we should keep shorter
 * one, if that was what user requested).
 * This function returns user specified tag if its maximized form matches ICU
 * resolved locale. If not we return ICU result.
 */
function getOptimalLanguageTag(original, resolved) {
  // Returns Array<Object>, where each object has maximized and base properties.
  // Maximized: zh -> zh-Hans-CN
  // Base: zh-CN-u-ca-gregory -> zh-CN
  // Take care of grandfathered or simple cases.
  if (original === resolved) {
    return original;
  }

  var locales = %GetLanguageTagVariants([original, resolved]);
  if (locales[0].maximized !== locales[1].maximized) {
    return resolved;
  }

  // Preserve extensions of resolved locale, but swap base tags with original.
566
  var resolvedBase = new GlobalRegExp('^' + locales[1].base);
567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599
  return resolved.replace(resolvedBase, locales[0].base);
}


/**
 * Returns an Object that contains all of supported locales for a given
 * service.
 * In addition to the supported locales we add xx-ZZ locale for each xx-Yyyy-ZZ
 * that is supported. This is required by the spec.
 */
function getAvailableLocalesOf(service) {
  var available = %AvailableLocalesOf(service);

  for (var i in available) {
    if (available.hasOwnProperty(i)) {
      var parts = i.match(/^([a-z]{2,3})-([A-Z][a-z]{3})-([A-Z]{2})$/);
      if (parts !== null) {
        // Build xx-ZZ. We don't care about the actual value,
        // as long it's not undefined.
        available[parts[1] + '-' + parts[3]] = null;
      }
    }
  }

  return available;
}


/**
 * Defines a property and sets writable and enumerable to true.
 * Configurable is false by default.
 */
function defineWEProperty(object, property, value) {
600 601
  ObjectDefineProperty(object, property,
                       {value: value, writable: true, enumerable: true});
602 603 604 605 606 607 608 609
}


/**
 * Adds property to an object if the value is not undefined.
 * Sets configurable descriptor to false.
 */
function addWEPropertyIfDefined(object, property, value) {
610
  if (!IS_UNDEFINED(value)) {
611 612 613 614 615 616 617 618 619
    defineWEProperty(object, property, value);
  }
}


/**
 * Defines a property and sets writable, enumerable and configurable to true.
 */
function defineWECProperty(object, property, value) {
620 621 622 623
  ObjectDefineProperty(object, property, {value: value,
                                          writable: true,
                                          enumerable: true,
                                          configurable: true});
624 625 626 627 628 629 630 631
}


/**
 * Adds property to an object if the value is not undefined.
 * Sets all descriptors to true.
 */
function addWECPropertyIfDefined(object, property, value) {
632
  if (!IS_UNDEFINED(value)) {
633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650
    defineWECProperty(object, property, value);
  }
}


/**
 * Returns titlecased word, aMeRricA -> America.
 */
function toTitleCaseWord(word) {
  return word.substr(0, 1).toUpperCase() + word.substr(1).toLowerCase();
}

/**
 * Canonicalizes the language tag, or throws in case the tag is invalid.
 */
function canonicalizeLanguageTag(localeID) {
  // null is typeof 'object' so we have to do extra check.
  if (typeof localeID !== 'string' && typeof localeID !== 'object' ||
651
      IS_NULL(localeID)) {
652
    throw MakeTypeError(kLanguageID);
653 654
  }

655
  var localeString = GlobalString(localeID);
656 657

  if (isValidLanguageTag(localeString) === false) {
658
    throw MakeRangeError(kInvalidLanguageTag, localeString);
659 660 661 662 663 664 665 666
  }

  // This call will strip -kn but not -kn-true extensions.
  // ICU bug filled - http://bugs.icu-project.org/trac/ticket/9265.
  // TODO(cira): check if -u-kn-true-kc-true-kh-true still throws after
  // upgrade to ICU 4.9.
  var tag = %CanonicalizeLanguageTag(localeString);
  if (tag === 'invalid-tag') {
667
    throw MakeRangeError(kInvalidLanguageTag, localeString);
668 669 670 671 672 673 674 675 676 677 678 679
  }

  return tag;
}


/**
 * Returns an array where all locales are canonicalized and duplicates removed.
 * Throws on locales that are not well formed BCP47 tags.
 */
function initializeLocaleList(locales) {
  var seen = [];
680
  if (IS_UNDEFINED(locales)) {
681 682 683 684 685 686 687 688 689
    // Constructor is called without arguments.
    seen = [];
  } else {
    // We allow single string localeID.
    if (typeof locales === 'string') {
      seen.push(canonicalizeLanguageTag(locales));
      return freezeArray(seen);
    }

690
    var o = $toObject(locales);
691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783
    // Converts it to UInt32 (>>> is shr on 32bit integers).
    var len = o.length >>> 0;

    for (var k = 0; k < len; k++) {
      if (k in o) {
        var value = o[k];

        var tag = canonicalizeLanguageTag(value);

        if (seen.indexOf(tag) === -1) {
          seen.push(tag);
        }
      }
    }
  }

  return freezeArray(seen);
}


/**
 * Validates the language tag. Section 2.2.9 of the bcp47 spec
 * defines a valid tag.
 *
 * ICU is too permissible and lets invalid tags, like
 * hant-cmn-cn, through.
 *
 * Returns false if the language tag is invalid.
 */
function isValidLanguageTag(locale) {
  // Check if it's well-formed, including grandfadered tags.
  if (GetLanguageTagRE().test(locale) === false) {
    return false;
  }

  // Just return if it's a x- form. It's all private.
  if (locale.indexOf('x-') === 0) {
    return true;
  }

  // Check if there are any duplicate variants or singletons (extensions).

  // Remove private use section.
  locale = locale.split(/-x-/)[0];

  // Skip language since it can match variant regex, so we start from 1.
  // We are matching i-klingon here, but that's ok, since i-klingon-klingon
  // is not valid and would fail LANGUAGE_TAG_RE test.
  var variants = [];
  var extensions = [];
  var parts = locale.split(/-/);
  for (var i = 1; i < parts.length; i++) {
    var value = parts[i];
    if (GetLanguageVariantRE().test(value) === true && extensions.length === 0) {
      if (variants.indexOf(value) === -1) {
        variants.push(value);
      } else {
        return false;
      }
    }

    if (GetLanguageSingletonRE().test(value) === true) {
      if (extensions.indexOf(value) === -1) {
        extensions.push(value);
      } else {
        return false;
      }
    }
  }

  return true;
 }


/**
 * Builds a regular expresion that validates the language tag
 * against bcp47 spec.
 * Uses http://tools.ietf.org/html/bcp47, section 2.1, ABNF.
 * Runs on load and initializes the global REs.
 */
function BuildLanguageTagREs() {
  var alpha = '[a-zA-Z]';
  var digit = '[0-9]';
  var alphanum = '(' + alpha + '|' + digit + ')';
  var regular = '(art-lojban|cel-gaulish|no-bok|no-nyn|zh-guoyu|zh-hakka|' +
                'zh-min|zh-min-nan|zh-xiang)';
  var irregular = '(en-GB-oed|i-ami|i-bnn|i-default|i-enochian|i-hak|' +
                  'i-klingon|i-lux|i-mingo|i-navajo|i-pwn|i-tao|i-tay|' +
                  'i-tsu|sgn-BE-FR|sgn-BE-NL|sgn-CH-DE)';
  var grandfathered = '(' + irregular + '|' + regular + ')';
  var privateUse = '(x(-' + alphanum + '{1,8})+)';

  var singleton = '(' + digit + '|[A-WY-Za-wy-z])';
784
  LANGUAGE_SINGLETON_RE = new GlobalRegExp('^' + singleton + '$', 'i');
785 786 787 788

  var extension = '(' + singleton + '(-' + alphanum + '{2,8})+)';

  var variant = '(' + alphanum + '{5,8}|(' + digit + alphanum + '{3}))';
789
  LANGUAGE_VARIANT_RE = new GlobalRegExp('^' + variant + '$', 'i');
790 791 792 793 794 795 796 797 798 799 800

  var region = '(' + alpha + '{2}|' + digit + '{3})';
  var script = '(' + alpha + '{4})';
  var extLang = '(' + alpha + '{3}(-' + alpha + '{3}){0,2})';
  var language = '(' + alpha + '{2,3}(-' + extLang + ')?|' + alpha + '{4}|' +
                 alpha + '{5,8})';
  var langTag = language + '(-' + script + ')?(-' + region + ')?(-' +
                variant + ')*(-' + extension + ')*(-' + privateUse + ')?';

  var languageTag =
      '^(' + langTag + '|' + privateUse + '|' + grandfathered + ')$';
801
  LANGUAGE_TAG_RE = new GlobalRegExp(languageTag, 'i');
802 803 804 805 806 807 808
}

/**
 * Initializes the given object so it's a valid Collator instance.
 * Useful for subclassing.
 */
function initializeCollator(collator, locales, options) {
809
  if (%IsInitializedIntlObject(collator)) {
810
    throw MakeTypeError(kReinitializeIntl, "Collator");
811 812
  }

813
  if (IS_UNDEFINED(options)) {
814 815 816 817 818 819 820 821 822 823 824 825
    options = {};
  }

  var getOption = getGetOption(options, 'collator');

  var internalOptions = {};

  defineWEProperty(internalOptions, 'usage', getOption(
    'usage', 'string', ['sort', 'search'], 'sort'));

  var sensitivity = getOption('sensitivity', 'string',
                              ['base', 'accent', 'case', 'variant']);
826
  if (IS_UNDEFINED(sensitivity) && internalOptions.usage === 'sort') {
827 828 829 830 831
    sensitivity = 'variant';
  }
  defineWEProperty(internalOptions, 'sensitivity', sensitivity);

  defineWEProperty(internalOptions, 'ignorePunctuation', getOption(
832
    'ignorePunctuation', 'boolean', UNDEFINED, false));
833 834 835 836 837 838 839 840

  var locale = resolveLocale('collator', locales, options);

  // ICU can't take kb, kc... parameters through localeID, so we need to pass
  // them as options.
  // One exception is -co- which has to be part of the extension, but only for
  // usage: sort, and its value can't be 'standard' or 'search'.
  var extensionMap = parseExtension(locale.extension);
841 842 843 844 845 846 847 848 849 850 851

  /**
   * Map of Unicode extensions to option properties, and their values and types,
   * for a collator.
   */
  var COLLATOR_KEY_MAP = {
    'kn': {'property': 'numeric', 'type': 'boolean'},
    'kf': {'property': 'caseFirst', 'type': 'string',
           'values': ['false', 'lower', 'upper']}
  };

852 853 854 855 856 857
  setOptions(
      options, extensionMap, COLLATOR_KEY_MAP, getOption, internalOptions);

  var collation = 'default';
  var extension = '';
  if (extensionMap.hasOwnProperty('co') && internalOptions.usage === 'sort') {
858 859 860 861 862 863 864 865 866 867

    /**
     * Allowed -u-co- values. List taken from:
     * http://unicode.org/repos/cldr/trunk/common/bcp47/collation.xml
     */
    var ALLOWED_CO_VALUES = [
      'big5han', 'dict', 'direct', 'ducet', 'gb2312', 'phonebk', 'phonetic',
      'pinyin', 'reformed', 'searchjl', 'stroke', 'trad', 'unihan', 'zhuyin'
    ];

868 869 870 871 872 873 874 875 876 877 878 879 880 881 882
    if (ALLOWED_CO_VALUES.indexOf(extensionMap.co) !== -1) {
      extension = '-u-co-' + extensionMap.co;
      // ICU can't tell us what the collation is, so save user's input.
      collation = extensionMap.co;
    }
  } else if (internalOptions.usage === 'search') {
    extension = '-u-co-search';
  }
  defineWEProperty(internalOptions, 'collation', collation);

  var requestedLocale = locale.locale + extension;

  // We define all properties C++ code may produce, to prevent security
  // problems. If malicious user decides to redefine Object.prototype.locale
  // we can't just use plain x.locale = 'us' or in C++ Set("locale", "us").
883
  // ObjectDefineProperties will either succeed defining or throw an error.
884
  var resolved = ObjectDefineProperties({}, {
885 886 887 888 889 890 891 892 893 894 895 896 897 898 899 900
    caseFirst: {writable: true},
    collation: {value: internalOptions.collation, writable: true},
    ignorePunctuation: {writable: true},
    locale: {writable: true},
    numeric: {writable: true},
    requestedLocale: {value: requestedLocale, writable: true},
    sensitivity: {writable: true},
    strength: {writable: true},
    usage: {value: internalOptions.usage, writable: true}
  });

  var internalCollator = %CreateCollator(requestedLocale,
                                         internalOptions,
                                         resolved);

  // Writable, configurable and enumerable are set to false by default.
901
  %MarkAsInitializedIntlObjectOfType(collator, 'collator', internalCollator);
902
  ObjectDefineProperty(collator, 'resolved', {value: resolved});
903 904 905 906 907 908 909 910 911 912 913

  return collator;
}


/**
 * Constructs Intl.Collator object given optional locales and options
 * parameters.
 *
 * @constructor
 */
914
%AddNamedProperty(Intl, 'Collator', function() {
915 916
    var locales = %_Arguments(0);
    var options = %_Arguments(1);
917 918 919 920 921 922

    if (!this || this === Intl) {
      // Constructor is called as a function.
      return new Intl.Collator(locales, options);
    }

923
    return initializeCollator($toObject(this), locales, options);
924 925 926 927 928 929 930 931
  },
  DONT_ENUM
);


/**
 * Collator resolvedOptions method.
 */
932
%AddNamedProperty(Intl.Collator.prototype, 'resolvedOptions', function() {
933
    if (%_IsConstructCall()) {
934
      throw MakeTypeError(kOrdinaryFunctionCalledAsConstructor);
935 936
    }

937
    if (!%IsInitializedIntlObjectOfType(this, 'collator')) {
938
      throw MakeTypeError(kResolvedOptionsCalledOnNonObject, "Collator");
939 940 941 942 943 944 945 946 947 948 949 950 951 952 953 954 955 956
    }

    var coll = this;
    var locale = getOptimalLanguageTag(coll.resolved.requestedLocale,
                                       coll.resolved.locale);

    return {
      locale: locale,
      usage: coll.resolved.usage,
      sensitivity: coll.resolved.sensitivity,
      ignorePunctuation: coll.resolved.ignorePunctuation,
      numeric: coll.resolved.numeric,
      caseFirst: coll.resolved.caseFirst,
      collation: coll.resolved.collation
    };
  },
  DONT_ENUM
);
957
SetFunctionName(Intl.Collator.prototype.resolvedOptions, 'resolvedOptions');
958 959 960 961 962 963 964 965 966 967
%FunctionRemovePrototype(Intl.Collator.prototype.resolvedOptions);
%SetNativeFlag(Intl.Collator.prototype.resolvedOptions);


/**
 * Returns the subset of the given locale list for which this locale list
 * has a matching (possibly fallback) locale. Locales appear in the same
 * order in the returned list as in the input list.
 * Options are optional parameter.
 */
968
%AddNamedProperty(Intl.Collator, 'supportedLocalesOf', function(locales) {
969
    if (%_IsConstructCall()) {
970
      throw MakeTypeError(kOrdinaryFunctionCalledAsConstructor);
971 972
    }

973
    return supportedLocalesOf('collator', locales, %_Arguments(1));
974 975 976
  },
  DONT_ENUM
);
977
SetFunctionName(Intl.Collator.supportedLocalesOf, 'supportedLocalesOf');
978 979 980 981 982 983 984 985 986 987 988 989 990 991 992
%FunctionRemovePrototype(Intl.Collator.supportedLocalesOf);
%SetNativeFlag(Intl.Collator.supportedLocalesOf);


/**
 * When the compare method is called with two arguments x and y, it returns a
 * Number other than NaN that represents the result of a locale-sensitive
 * String comparison of x with y.
 * The result is intended to order String values in the sort order specified
 * by the effective locale and collation options computed during construction
 * of this Collator object, and will be negative, zero, or positive, depending
 * on whether x comes before y in the sort order, the Strings are equal under
 * the sort order, or x comes after y in the sort order, respectively.
 */
function compare(collator, x, y) {
993
  return %InternalCompare(%GetImplFromInitializedIntlObject(collator),
994
                          GlobalString(x), GlobalString(y));
995 996 997 998 999 1000 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014 1015 1016 1017
};


addBoundMethod(Intl.Collator, 'compare', compare, 2);

/**
 * Verifies that the input is a well-formed ISO 4217 currency code.
 * Don't uppercase to test. It could convert invalid code into a valid one.
 * For example \u00DFP (Eszett+P) becomes SSP.
 */
function isWellFormedCurrencyCode(currency) {
  return typeof currency == "string" &&
      currency.length == 3 &&
      currency.match(/[^A-Za-z]/) == null;
}


/**
 * Returns the valid digit count for a property, or throws RangeError on
 * a value out of the range.
 */
function getNumberOption(options, property, min, max, fallback) {
  var value = options[property];
1018
  if (!IS_UNDEFINED(value)) {
1019
    value = GlobalNumber(value);
1020
    if (IsNaN(value) || value < min || value > max) {
1021
      throw MakeRangeError(kPropertyValueOutOfRange, property);
1022
    }
1023
    return MathFloor(value);
1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034
  }

  return fallback;
}


/**
 * Initializes the given object so it's a valid NumberFormat instance.
 * Useful for subclassing.
 */
function initializeNumberFormat(numberFormat, locales, options) {
1035
  if (%IsInitializedIntlObject(numberFormat)) {
1036
    throw MakeTypeError(kReinitializeIntl, "NumberFormat");
1037 1038
  }

1039
  if (IS_UNDEFINED(options)) {
1040 1041 1042 1043 1044 1045 1046 1047 1048 1049 1050 1051
    options = {};
  }

  var getOption = getGetOption(options, 'numberformat');

  var locale = resolveLocale('numberformat', locales, options);

  var internalOptions = {};
  defineWEProperty(internalOptions, 'style', getOption(
    'style', 'string', ['decimal', 'percent', 'currency'], 'decimal'));

  var currency = getOption('currency', 'string');
1052
  if (!IS_UNDEFINED(currency) && !isWellFormedCurrencyCode(currency)) {
1053
    throw MakeRangeError(kInvalidCurrencyCode, currency);
1054 1055
  }

1056
  if (internalOptions.style === 'currency' && IS_UNDEFINED(currency)) {
1057
    throw MakeTypeError(kCurrencyCode);
1058 1059 1060 1061 1062 1063 1064 1065 1066 1067 1068 1069 1070 1071 1072 1073 1074 1075 1076 1077 1078
  }

  var currencyDisplay = getOption(
      'currencyDisplay', 'string', ['code', 'symbol', 'name'], 'symbol');
  if (internalOptions.style === 'currency') {
    defineWEProperty(internalOptions, 'currency', currency.toUpperCase());
    defineWEProperty(internalOptions, 'currencyDisplay', currencyDisplay);
  }

  // Digit ranges.
  var mnid = getNumberOption(options, 'minimumIntegerDigits', 1, 21, 1);
  defineWEProperty(internalOptions, 'minimumIntegerDigits', mnid);

  var mnfd = getNumberOption(options, 'minimumFractionDigits', 0, 20, 0);
  defineWEProperty(internalOptions, 'minimumFractionDigits', mnfd);

  var mxfd = getNumberOption(options, 'maximumFractionDigits', mnfd, 20, 3);
  defineWEProperty(internalOptions, 'maximumFractionDigits', mxfd);

  var mnsd = options['minimumSignificantDigits'];
  var mxsd = options['maximumSignificantDigits'];
1079
  if (!IS_UNDEFINED(mnsd) || !IS_UNDEFINED(mxsd)) {
1080 1081 1082 1083 1084 1085 1086 1087 1088
    mnsd = getNumberOption(options, 'minimumSignificantDigits', 1, 21, 0);
    defineWEProperty(internalOptions, 'minimumSignificantDigits', mnsd);

    mxsd = getNumberOption(options, 'maximumSignificantDigits', mnsd, 21, 21);
    defineWEProperty(internalOptions, 'maximumSignificantDigits', mxsd);
  }

  // Grouping.
  defineWEProperty(internalOptions, 'useGrouping', getOption(
1089
    'useGrouping', 'boolean', UNDEFINED, true));
1090 1091 1092 1093

  // ICU prefers options to be passed using -u- extension key/values for
  // number format, so we need to build that.
  var extensionMap = parseExtension(locale.extension);
1094 1095 1096 1097 1098 1099

  /**
   * Map of Unicode extensions to option properties, and their values and types,
   * for a number format.
   */
  var NUMBER_FORMAT_KEY_MAP = {
1100
    'nu': {'property': UNDEFINED, 'type': 'string'}
1101 1102
  };

1103 1104 1105 1106
  var extension = setOptions(options, extensionMap, NUMBER_FORMAT_KEY_MAP,
                             getOption, internalOptions);

  var requestedLocale = locale.locale + extension;
1107
  var resolved = ObjectDefineProperties({}, {
1108 1109 1110 1111 1112 1113 1114 1115 1116 1117 1118 1119
    currency: {writable: true},
    currencyDisplay: {writable: true},
    locale: {writable: true},
    maximumFractionDigits: {writable: true},
    minimumFractionDigits: {writable: true},
    minimumIntegerDigits: {writable: true},
    numberingSystem: {writable: true},
    requestedLocale: {value: requestedLocale, writable: true},
    style: {value: internalOptions.style, writable: true},
    useGrouping: {writable: true}
  });
  if (internalOptions.hasOwnProperty('minimumSignificantDigits')) {
1120
    defineWEProperty(resolved, 'minimumSignificantDigits', UNDEFINED);
1121 1122
  }
  if (internalOptions.hasOwnProperty('maximumSignificantDigits')) {
1123
    defineWEProperty(resolved, 'maximumSignificantDigits', UNDEFINED);
1124 1125 1126 1127 1128 1129 1130 1131
  }
  var formatter = %CreateNumberFormat(requestedLocale,
                                      internalOptions,
                                      resolved);

  // We can't get information about number or currency style from ICU, so we
  // assume user request was fulfilled.
  if (internalOptions.style === 'currency') {
1132 1133
    ObjectDefineProperty(resolved, 'currencyDisplay', {value: currencyDisplay,
                                                       writable: true});
1134 1135
  }

1136
  %MarkAsInitializedIntlObjectOfType(numberFormat, 'numberformat', formatter);
1137
  ObjectDefineProperty(numberFormat, 'resolved', {value: resolved});
1138 1139 1140 1141 1142 1143 1144 1145 1146 1147 1148

  return numberFormat;
}


/**
 * Constructs Intl.NumberFormat object given optional locales and options
 * parameters.
 *
 * @constructor
 */
1149
%AddNamedProperty(Intl, 'NumberFormat', function() {
1150 1151
    var locales = %_Arguments(0);
    var options = %_Arguments(1);
1152 1153 1154 1155 1156 1157

    if (!this || this === Intl) {
      // Constructor is called as a function.
      return new Intl.NumberFormat(locales, options);
    }

1158
    return initializeNumberFormat($toObject(this), locales, options);
1159 1160 1161 1162 1163 1164 1165 1166
  },
  DONT_ENUM
);


/**
 * NumberFormat resolvedOptions method.
 */
1167
%AddNamedProperty(Intl.NumberFormat.prototype, 'resolvedOptions', function() {
1168
    if (%_IsConstructCall()) {
1169
      throw MakeTypeError(kOrdinaryFunctionCalledAsConstructor);
1170 1171
    }

1172
    if (!%IsInitializedIntlObjectOfType(this, 'numberformat')) {
1173
      throw MakeTypeError(kResolvedOptionsCalledOnNonObject, "NumberFormat");
1174 1175 1176 1177 1178 1179 1180 1181 1182 1183 1184 1185 1186 1187 1188 1189 1190 1191 1192 1193 1194 1195 1196 1197 1198 1199 1200 1201 1202 1203 1204 1205 1206 1207 1208 1209
    }

    var format = this;
    var locale = getOptimalLanguageTag(format.resolved.requestedLocale,
                                       format.resolved.locale);

    var result = {
      locale: locale,
      numberingSystem: format.resolved.numberingSystem,
      style: format.resolved.style,
      useGrouping: format.resolved.useGrouping,
      minimumIntegerDigits: format.resolved.minimumIntegerDigits,
      minimumFractionDigits: format.resolved.minimumFractionDigits,
      maximumFractionDigits: format.resolved.maximumFractionDigits,
    };

    if (result.style === 'currency') {
      defineWECProperty(result, 'currency', format.resolved.currency);
      defineWECProperty(result, 'currencyDisplay',
                        format.resolved.currencyDisplay);
    }

    if (format.resolved.hasOwnProperty('minimumSignificantDigits')) {
      defineWECProperty(result, 'minimumSignificantDigits',
                        format.resolved.minimumSignificantDigits);
    }

    if (format.resolved.hasOwnProperty('maximumSignificantDigits')) {
      defineWECProperty(result, 'maximumSignificantDigits',
                        format.resolved.maximumSignificantDigits);
    }

    return result;
  },
  DONT_ENUM
);
1210
SetFunctionName(Intl.NumberFormat.prototype.resolvedOptions, 'resolvedOptions');
1211 1212 1213 1214 1215 1216 1217 1218 1219 1220
%FunctionRemovePrototype(Intl.NumberFormat.prototype.resolvedOptions);
%SetNativeFlag(Intl.NumberFormat.prototype.resolvedOptions);


/**
 * Returns the subset of the given locale list for which this locale list
 * has a matching (possibly fallback) locale. Locales appear in the same
 * order in the returned list as in the input list.
 * Options are optional parameter.
 */
1221
%AddNamedProperty(Intl.NumberFormat, 'supportedLocalesOf', function(locales) {
1222
    if (%_IsConstructCall()) {
1223
      throw MakeTypeError(kOrdinaryFunctionCalledAsConstructor);
1224 1225
    }

1226
    return supportedLocalesOf('numberformat', locales, %_Arguments(1));
1227 1228 1229
  },
  DONT_ENUM
);
1230
SetFunctionName(Intl.NumberFormat.supportedLocalesOf, 'supportedLocalesOf');
1231 1232 1233 1234 1235 1236 1237 1238 1239 1240 1241
%FunctionRemovePrototype(Intl.NumberFormat.supportedLocalesOf);
%SetNativeFlag(Intl.NumberFormat.supportedLocalesOf);


/**
 * Returns a String value representing the result of calling ToNumber(value)
 * according to the effective locale and the formatting options of this
 * NumberFormat.
 */
function formatNumber(formatter, value) {
  // Spec treats -0 and +0 as 0.
1242
  var number = $toNumber(value) + 0;
1243

1244 1245
  return %InternalNumberFormat(%GetImplFromInitializedIntlObject(formatter),
                               number);
1246 1247 1248 1249 1250 1251 1252
}


/**
 * Returns a Number that represents string value that was passed in.
 */
function parseNumber(formatter, value) {
1253
  return %InternalNumberParse(%GetImplFromInitializedIntlObject(formatter),
1254
                              GlobalString(value));
1255 1256 1257 1258 1259 1260 1261 1262 1263 1264 1265 1266 1267 1268 1269 1270 1271 1272 1273 1274 1275 1276 1277 1278 1279 1280 1281 1282 1283 1284 1285 1286 1287 1288 1289 1290
}


addBoundMethod(Intl.NumberFormat, 'format', formatNumber, 1);
addBoundMethod(Intl.NumberFormat, 'v8Parse', parseNumber, 1);

/**
 * Returns a string that matches LDML representation of the options object.
 */
function toLDMLString(options) {
  var getOption = getGetOption(options, 'dateformat');

  var ldmlString = '';

  var option = getOption('weekday', 'string', ['narrow', 'short', 'long']);
  ldmlString += appendToLDMLString(
      option, {narrow: 'EEEEE', short: 'EEE', long: 'EEEE'});

  option = getOption('era', 'string', ['narrow', 'short', 'long']);
  ldmlString += appendToLDMLString(
      option, {narrow: 'GGGGG', short: 'GGG', long: 'GGGG'});

  option = getOption('year', 'string', ['2-digit', 'numeric']);
  ldmlString += appendToLDMLString(option, {'2-digit': 'yy', 'numeric': 'y'});

  option = getOption('month', 'string',
                     ['2-digit', 'numeric', 'narrow', 'short', 'long']);
  ldmlString += appendToLDMLString(option, {'2-digit': 'MM', 'numeric': 'M',
          'narrow': 'MMMMM', 'short': 'MMM', 'long': 'MMMM'});

  option = getOption('day', 'string', ['2-digit', 'numeric']);
  ldmlString += appendToLDMLString(
      option, {'2-digit': 'dd', 'numeric': 'd'});

  var hr12 = getOption('hour12', 'boolean');
  option = getOption('hour', 'string', ['2-digit', 'numeric']);
1291
  if (IS_UNDEFINED(hr12)) {
1292 1293 1294 1295 1296 1297 1298 1299 1300 1301 1302 1303 1304 1305
    ldmlString += appendToLDMLString(option, {'2-digit': 'jj', 'numeric': 'j'});
  } else if (hr12 === true) {
    ldmlString += appendToLDMLString(option, {'2-digit': 'hh', 'numeric': 'h'});
  } else {
    ldmlString += appendToLDMLString(option, {'2-digit': 'HH', 'numeric': 'H'});
  }

  option = getOption('minute', 'string', ['2-digit', 'numeric']);
  ldmlString += appendToLDMLString(option, {'2-digit': 'mm', 'numeric': 'm'});

  option = getOption('second', 'string', ['2-digit', 'numeric']);
  ldmlString += appendToLDMLString(option, {'2-digit': 'ss', 'numeric': 's'});

  option = getOption('timeZoneName', 'string', ['short', 'long']);
1306
  ldmlString += appendToLDMLString(option, {short: 'z', long: 'zzzz'});
1307 1308 1309 1310 1311 1312 1313 1314 1315

  return ldmlString;
}


/**
 * Returns either LDML equivalent of the current option or empty string.
 */
function appendToLDMLString(option, pairs) {
1316
  if (!IS_UNDEFINED(option)) {
1317 1318 1319 1320 1321 1322 1323 1324 1325 1326 1327 1328 1329 1330 1331 1332 1333 1334 1335 1336 1337 1338 1339 1340 1341 1342 1343 1344 1345 1346 1347 1348 1349 1350 1351 1352 1353 1354 1355 1356 1357 1358 1359 1360 1361 1362 1363 1364 1365 1366 1367 1368 1369 1370 1371 1372 1373 1374 1375 1376 1377 1378
    return pairs[option];
  } else {
    return '';
  }
}


/**
 * Returns object that matches LDML representation of the date.
 */
function fromLDMLString(ldmlString) {
  // First remove '' quoted text, so we lose 'Uhr' strings.
  ldmlString = ldmlString.replace(GetQuotedStringRE(), '');

  var options = {};
  var match = ldmlString.match(/E{3,5}/g);
  options = appendToDateTimeObject(
      options, 'weekday', match, {EEEEE: 'narrow', EEE: 'short', EEEE: 'long'});

  match = ldmlString.match(/G{3,5}/g);
  options = appendToDateTimeObject(
      options, 'era', match, {GGGGG: 'narrow', GGG: 'short', GGGG: 'long'});

  match = ldmlString.match(/y{1,2}/g);
  options = appendToDateTimeObject(
      options, 'year', match, {y: 'numeric', yy: '2-digit'});

  match = ldmlString.match(/M{1,5}/g);
  options = appendToDateTimeObject(options, 'month', match, {MM: '2-digit',
      M: 'numeric', MMMMM: 'narrow', MMM: 'short', MMMM: 'long'});

  // Sometimes we get L instead of M for month - standalone name.
  match = ldmlString.match(/L{1,5}/g);
  options = appendToDateTimeObject(options, 'month', match, {LL: '2-digit',
      L: 'numeric', LLLLL: 'narrow', LLL: 'short', LLLL: 'long'});

  match = ldmlString.match(/d{1,2}/g);
  options = appendToDateTimeObject(
      options, 'day', match, {d: 'numeric', dd: '2-digit'});

  match = ldmlString.match(/h{1,2}/g);
  if (match !== null) {
    options['hour12'] = true;
  }
  options = appendToDateTimeObject(
      options, 'hour', match, {h: 'numeric', hh: '2-digit'});

  match = ldmlString.match(/H{1,2}/g);
  if (match !== null) {
    options['hour12'] = false;
  }
  options = appendToDateTimeObject(
      options, 'hour', match, {H: 'numeric', HH: '2-digit'});

  match = ldmlString.match(/m{1,2}/g);
  options = appendToDateTimeObject(
      options, 'minute', match, {m: 'numeric', mm: '2-digit'});

  match = ldmlString.match(/s{1,2}/g);
  options = appendToDateTimeObject(
      options, 'second', match, {s: 'numeric', ss: '2-digit'});

1379
  match = ldmlString.match(/z|zzzz/g);
1380
  options = appendToDateTimeObject(
1381
      options, 'timeZoneName', match, {z: 'short', zzzz: 'long'});
1382 1383 1384 1385 1386 1387

  return options;
}


function appendToDateTimeObject(options, option, match, pairs) {
1388
  if (IS_NULL(match)) {
1389
    if (!options.hasOwnProperty(option)) {
1390
      defineWEProperty(options, option, UNDEFINED);
1391 1392 1393 1394 1395 1396 1397 1398 1399 1400 1401 1402 1403 1404 1405
    }
    return options;
  }

  var property = match[0];
  defineWEProperty(options, option, pairs[property]);

  return options;
}


/**
 * Returns options with at least default values in it.
 */
function toDateTimeOptions(options, required, defaults) {
1406
  if (IS_UNDEFINED(options)) {
1407
    options = {};
1408
  } else {
1409
    options = TO_OBJECT_INLINE(options);
1410 1411 1412 1413
  }

  var needsDefault = true;
  if ((required === 'date' || required === 'any') &&
1414 1415
      (!IS_UNDEFINED(options.weekday) || !IS_UNDEFINED(options.year) ||
       !IS_UNDEFINED(options.month) || !IS_UNDEFINED(options.day))) {
1416 1417 1418 1419
    needsDefault = false;
  }

  if ((required === 'time' || required === 'any') &&
1420 1421
      (!IS_UNDEFINED(options.hour) || !IS_UNDEFINED(options.minute) ||
       !IS_UNDEFINED(options.second))) {
1422 1423 1424 1425
    needsDefault = false;
  }

  if (needsDefault && (defaults === 'date' || defaults === 'all')) {
1426
    ObjectDefineProperty(options, 'year', {value: 'numeric',
1427 1428 1429
                                           writable: true,
                                           enumerable: true,
                                           configurable: true});
1430
    ObjectDefineProperty(options, 'month', {value: 'numeric',
1431 1432 1433
                                            writable: true,
                                            enumerable: true,
                                            configurable: true});
1434 1435 1436 1437 1438 1439 1440 1441 1442 1443 1444 1445 1446 1447 1448 1449 1450 1451 1452
    ObjectDefineProperty(options, 'day', {value: 'numeric',
                                          writable: true,
                                          enumerable: true,
                                          configurable: true});
  }

  if (needsDefault && (defaults === 'time' || defaults === 'all')) {
    ObjectDefineProperty(options, 'hour', {value: 'numeric',
                                           writable: true,
                                           enumerable: true,
                                           configurable: true});
    ObjectDefineProperty(options, 'minute', {value: 'numeric',
                                             writable: true,
                                             enumerable: true,
                                             configurable: true});
    ObjectDefineProperty(options, 'second', {value: 'numeric',
                                             writable: true,
                                             enumerable: true,
                                             configurable: true});
1453 1454 1455 1456 1457 1458 1459 1460 1461 1462 1463 1464
  }

  return options;
}


/**
 * Initializes the given object so it's a valid DateTimeFormat instance.
 * Useful for subclassing.
 */
function initializeDateTimeFormat(dateFormat, locales, options) {

1465
  if (%IsInitializedIntlObject(dateFormat)) {
1466
    throw MakeTypeError(kReinitializeIntl, "DateTimeFormat");
1467 1468
  }

1469
  if (IS_UNDEFINED(options)) {
1470 1471 1472 1473 1474 1475 1476 1477 1478 1479 1480 1481 1482 1483 1484 1485 1486 1487 1488 1489 1490 1491 1492 1493 1494 1495
    options = {};
  }

  var locale = resolveLocale('dateformat', locales, options);

  options = toDateTimeOptions(options, 'any', 'date');

  var getOption = getGetOption(options, 'dateformat');

  // We implement only best fit algorithm, but still need to check
  // if the formatMatcher values are in range.
  var matcher = getOption('formatMatcher', 'string',
                          ['basic', 'best fit'], 'best fit');

  // Build LDML string for the skeleton that we pass to the formatter.
  var ldmlString = toLDMLString(options);

  // Filter out supported extension keys so we know what to put in resolved
  // section later on.
  // We need to pass calendar and number system to the method.
  var tz = canonicalizeTimeZoneID(options.timeZone);

  // ICU prefers options to be passed using -u- extension key/values, so
  // we need to build that.
  var internalOptions = {};
  var extensionMap = parseExtension(locale.extension);
1496 1497 1498 1499 1500 1501

  /**
   * Map of Unicode extensions to option properties, and their values and types,
   * for a date/time format.
   */
  var DATETIME_FORMAT_KEY_MAP = {
1502 1503
    'ca': {'property': UNDEFINED, 'type': 'string'},
    'nu': {'property': UNDEFINED, 'type': 'string'}
1504 1505
  };

1506 1507 1508 1509
  var extension = setOptions(options, extensionMap, DATETIME_FORMAT_KEY_MAP,
                             getOption, internalOptions);

  var requestedLocale = locale.locale + extension;
1510
  var resolved = ObjectDefineProperties({}, {
1511 1512 1513 1514 1515 1516 1517 1518 1519 1520 1521 1522 1523 1524 1525 1526 1527 1528 1529 1530 1531 1532
    calendar: {writable: true},
    day: {writable: true},
    era: {writable: true},
    hour12: {writable: true},
    hour: {writable: true},
    locale: {writable: true},
    minute: {writable: true},
    month: {writable: true},
    numberingSystem: {writable: true},
    pattern: {writable: true},
    requestedLocale: {value: requestedLocale, writable: true},
    second: {writable: true},
    timeZone: {writable: true},
    timeZoneName: {writable: true},
    tz: {value: tz, writable: true},
    weekday: {writable: true},
    year: {writable: true}
  });

  var formatter = %CreateDateTimeFormat(
    requestedLocale, {skeleton: ldmlString, timeZone: tz}, resolved);

1533
  if (!IS_UNDEFINED(tz) && tz !== resolved.timeZone) {
1534
    throw MakeRangeError(kUnsupportedTimeZone, tz);
1535 1536
  }

1537
  %MarkAsInitializedIntlObjectOfType(dateFormat, 'dateformat', formatter);
1538
  ObjectDefineProperty(dateFormat, 'resolved', {value: resolved});
1539 1540 1541 1542 1543 1544 1545 1546 1547 1548 1549

  return dateFormat;
}


/**
 * Constructs Intl.DateTimeFormat object given optional locales and options
 * parameters.
 *
 * @constructor
 */
1550
%AddNamedProperty(Intl, 'DateTimeFormat', function() {
1551 1552
    var locales = %_Arguments(0);
    var options = %_Arguments(1);
1553 1554 1555 1556 1557 1558

    if (!this || this === Intl) {
      // Constructor is called as a function.
      return new Intl.DateTimeFormat(locales, options);
    }

1559
    return initializeDateTimeFormat($toObject(this), locales, options);
1560 1561 1562 1563 1564 1565 1566 1567
  },
  DONT_ENUM
);


/**
 * DateTimeFormat resolvedOptions method.
 */
1568
%AddNamedProperty(Intl.DateTimeFormat.prototype, 'resolvedOptions', function() {
1569
    if (%_IsConstructCall()) {
1570
      throw MakeTypeError(kOrdinaryFunctionCalledAsConstructor);
1571 1572
    }

1573
    if (!%IsInitializedIntlObjectOfType(this, 'dateformat')) {
1574
      throw MakeTypeError(kResolvedOptionsCalledOnNonObject, "DateTimeFormat");
1575 1576
    }

1577 1578 1579 1580 1581 1582 1583 1584 1585 1586 1587 1588 1589 1590 1591 1592 1593 1594 1595
    /**
     * Maps ICU calendar names into LDML type.
     */
    var ICU_CALENDAR_MAP = {
      'gregorian': 'gregory',
      'japanese': 'japanese',
      'buddhist': 'buddhist',
      'roc': 'roc',
      'persian': 'persian',
      'islamic-civil': 'islamicc',
      'islamic': 'islamic',
      'hebrew': 'hebrew',
      'chinese': 'chinese',
      'indian': 'indian',
      'coptic': 'coptic',
      'ethiopic': 'ethiopic',
      'ethiopic-amete-alem': 'ethioaa'
    };

1596 1597 1598
    var format = this;
    var fromPattern = fromLDMLString(format.resolved.pattern);
    var userCalendar = ICU_CALENDAR_MAP[format.resolved.calendar];
1599
    if (IS_UNDEFINED(userCalendar)) {
1600 1601 1602 1603 1604 1605 1606 1607 1608 1609 1610 1611 1612 1613 1614 1615 1616 1617 1618 1619 1620 1621 1622 1623 1624 1625 1626 1627 1628 1629
      // Use ICU name if we don't have a match. It shouldn't happen, but
      // it would be too strict to throw for this.
      userCalendar = format.resolved.calendar;
    }

    var locale = getOptimalLanguageTag(format.resolved.requestedLocale,
                                       format.resolved.locale);

    var result = {
      locale: locale,
      numberingSystem: format.resolved.numberingSystem,
      calendar: userCalendar,
      timeZone: format.resolved.timeZone
    };

    addWECPropertyIfDefined(result, 'timeZoneName', fromPattern.timeZoneName);
    addWECPropertyIfDefined(result, 'era', fromPattern.era);
    addWECPropertyIfDefined(result, 'year', fromPattern.year);
    addWECPropertyIfDefined(result, 'month', fromPattern.month);
    addWECPropertyIfDefined(result, 'day', fromPattern.day);
    addWECPropertyIfDefined(result, 'weekday', fromPattern.weekday);
    addWECPropertyIfDefined(result, 'hour12', fromPattern.hour12);
    addWECPropertyIfDefined(result, 'hour', fromPattern.hour);
    addWECPropertyIfDefined(result, 'minute', fromPattern.minute);
    addWECPropertyIfDefined(result, 'second', fromPattern.second);

    return result;
  },
  DONT_ENUM
);
1630
SetFunctionName(Intl.DateTimeFormat.prototype.resolvedOptions,
1631
                'resolvedOptions');
1632 1633 1634 1635 1636 1637 1638 1639 1640 1641
%FunctionRemovePrototype(Intl.DateTimeFormat.prototype.resolvedOptions);
%SetNativeFlag(Intl.DateTimeFormat.prototype.resolvedOptions);


/**
 * Returns the subset of the given locale list for which this locale list
 * has a matching (possibly fallback) locale. Locales appear in the same
 * order in the returned list as in the input list.
 * Options are optional parameter.
 */
1642
%AddNamedProperty(Intl.DateTimeFormat, 'supportedLocalesOf', function(locales) {
1643
    if (%_IsConstructCall()) {
1644
      throw MakeTypeError(kOrdinaryFunctionCalledAsConstructor);
1645 1646
    }

1647
    return supportedLocalesOf('dateformat', locales, %_Arguments(1));
1648 1649 1650
  },
  DONT_ENUM
);
1651
SetFunctionName(Intl.DateTimeFormat.supportedLocalesOf, 'supportedLocalesOf');
1652 1653 1654 1655 1656 1657 1658 1659 1660 1661 1662
%FunctionRemovePrototype(Intl.DateTimeFormat.supportedLocalesOf);
%SetNativeFlag(Intl.DateTimeFormat.supportedLocalesOf);


/**
 * Returns a String value representing the result of calling ToNumber(date)
 * according to the effective locale and the formatting options of this
 * DateTimeFormat.
 */
function formatDate(formatter, dateValue) {
  var dateMs;
1663
  if (IS_UNDEFINED(dateValue)) {
1664
    dateMs = GlobalDate.now();
1665
  } else {
1666
    dateMs = $toNumber(dateValue);
1667 1668
  }

1669
  if (!IsFinite(dateMs)) throw MakeRangeError(kDateRange);
1670

1671
  return %InternalDateFormat(%GetImplFromInitializedIntlObject(formatter),
1672
                             new GlobalDate(dateMs));
1673 1674 1675 1676 1677 1678 1679 1680 1681 1682
}


/**
 * Returns a Date object representing the result of calling ToString(value)
 * according to the effective locale and the formatting options of this
 * DateTimeFormat.
 * Returns undefined if date string cannot be parsed.
 */
function parseDate(formatter, value) {
1683
  return %InternalDateParse(%GetImplFromInitializedIntlObject(formatter),
1684
                            GlobalString(value));
1685 1686 1687 1688 1689 1690 1691 1692 1693 1694 1695 1696 1697 1698
}


// 0 because date is optional argument.
addBoundMethod(Intl.DateTimeFormat, 'format', formatDate, 0);
addBoundMethod(Intl.DateTimeFormat, 'v8Parse', parseDate, 1);


/**
 * Returns canonical Area/Location name, or throws an exception if the zone
 * name is invalid IANA name.
 */
function canonicalizeTimeZoneID(tzID) {
  // Skip undefined zones.
1699
  if (IS_UNDEFINED(tzID)) {
1700 1701 1702 1703 1704 1705 1706 1707 1708 1709 1710 1711 1712
    return tzID;
  }

  // Special case handling (UTC, GMT).
  var upperID = tzID.toUpperCase();
  if (upperID === 'UTC' || upperID === 'GMT' ||
      upperID === 'ETC/UTC' || upperID === 'ETC/GMT') {
    return 'UTC';
  }

  // We expect only _ and / beside ASCII letters.
  // All inputs should conform to Area/Location from now on.
  var match = GetTimezoneNameCheckRE().exec(tzID);
1713
  if (IS_NULL(match)) throw MakeRangeError(kExpectedLocation, tzID);
1714 1715 1716

  var result = toTitleCaseWord(match[1]) + '/' + toTitleCaseWord(match[2]);
  var i = 3;
1717
  while (!IS_UNDEFINED(match[i]) && i < match.length) {
1718 1719 1720 1721 1722 1723 1724 1725 1726 1727 1728 1729
    result = result + '_' + toTitleCaseWord(match[i]);
    i++;
  }

  return result;
}

/**
 * Initializes the given object so it's a valid BreakIterator instance.
 * Useful for subclassing.
 */
function initializeBreakIterator(iterator, locales, options) {
1730
  if (%IsInitializedIntlObject(iterator)) {
1731
    throw MakeTypeError(kReinitializeIntl, "v8BreakIterator");
1732 1733
  }

1734
  if (IS_UNDEFINED(options)) {
1735 1736 1737 1738 1739 1740 1741 1742 1743 1744 1745
    options = {};
  }

  var getOption = getGetOption(options, 'breakiterator');

  var internalOptions = {};

  defineWEProperty(internalOptions, 'type', getOption(
    'type', 'string', ['character', 'word', 'sentence', 'line'], 'word'));

  var locale = resolveLocale('breakiterator', locales, options);
1746
  var resolved = ObjectDefineProperties({}, {
1747 1748 1749 1750 1751 1752 1753 1754 1755
    requestedLocale: {value: locale.locale, writable: true},
    type: {value: internalOptions.type, writable: true},
    locale: {writable: true}
  });

  var internalIterator = %CreateBreakIterator(locale.locale,
                                              internalOptions,
                                              resolved);

1756 1757
  %MarkAsInitializedIntlObjectOfType(iterator, 'breakiterator',
                                     internalIterator);
1758
  ObjectDefineProperty(iterator, 'resolved', {value: resolved});
1759 1760 1761 1762 1763 1764 1765 1766 1767 1768 1769

  return iterator;
}


/**
 * Constructs Intl.v8BreakIterator object given optional locales and options
 * parameters.
 *
 * @constructor
 */
1770
%AddNamedProperty(Intl, 'v8BreakIterator', function() {
1771 1772
    var locales = %_Arguments(0);
    var options = %_Arguments(1);
1773 1774 1775 1776 1777 1778

    if (!this || this === Intl) {
      // Constructor is called as a function.
      return new Intl.v8BreakIterator(locales, options);
    }

1779
    return initializeBreakIterator($toObject(this), locales, options);
1780 1781 1782 1783 1784 1785 1786 1787
  },
  DONT_ENUM
);


/**
 * BreakIterator resolvedOptions method.
 */
1788 1789
%AddNamedProperty(Intl.v8BreakIterator.prototype, 'resolvedOptions',
  function() {
1790
    if (%_IsConstructCall()) {
1791
      throw MakeTypeError(kOrdinaryFunctionCalledAsConstructor);
1792 1793
    }

1794
    if (!%IsInitializedIntlObjectOfType(this, 'breakiterator')) {
1795
      throw MakeTypeError(kResolvedOptionsCalledOnNonObject, "v8BreakIterator");
1796 1797 1798 1799 1800 1801 1802 1803 1804 1805 1806 1807 1808
    }

    var segmenter = this;
    var locale = getOptimalLanguageTag(segmenter.resolved.requestedLocale,
                                       segmenter.resolved.locale);

    return {
      locale: locale,
      type: segmenter.resolved.type
    };
  },
  DONT_ENUM
);
1809
SetFunctionName(Intl.v8BreakIterator.prototype.resolvedOptions,
1810
                'resolvedOptions');
1811 1812 1813 1814 1815 1816 1817 1818 1819 1820
%FunctionRemovePrototype(Intl.v8BreakIterator.prototype.resolvedOptions);
%SetNativeFlag(Intl.v8BreakIterator.prototype.resolvedOptions);


/**
 * Returns the subset of the given locale list for which this locale list
 * has a matching (possibly fallback) locale. Locales appear in the same
 * order in the returned list as in the input list.
 * Options are optional parameter.
 */
1821 1822
%AddNamedProperty(Intl.v8BreakIterator, 'supportedLocalesOf',
  function(locales) {
1823
    if (%_IsConstructCall()) {
1824
      throw MakeTypeError(kOrdinaryFunctionCalledAsConstructor);
1825 1826
    }

1827
    return supportedLocalesOf('breakiterator', locales, %_Arguments(1));
1828 1829 1830
  },
  DONT_ENUM
);
1831
SetFunctionName(Intl.v8BreakIterator.supportedLocalesOf, 'supportedLocalesOf');
1832 1833 1834 1835 1836 1837 1838 1839 1840
%FunctionRemovePrototype(Intl.v8BreakIterator.supportedLocalesOf);
%SetNativeFlag(Intl.v8BreakIterator.supportedLocalesOf);


/**
 * Adopts text to segment using the iterator. Old text, if present,
 * gets discarded.
 */
function adoptText(iterator, text) {
1841
  %BreakIteratorAdoptText(%GetImplFromInitializedIntlObject(iterator),
1842
                          GlobalString(text));
1843 1844 1845 1846 1847 1848 1849
}


/**
 * Returns index of the first break in the string and moves current pointer.
 */
function first(iterator) {
1850
  return %BreakIteratorFirst(%GetImplFromInitializedIntlObject(iterator));
1851 1852 1853 1854 1855 1856 1857
}


/**
 * Returns the index of the next break and moves the pointer.
 */
function next(iterator) {
1858
  return %BreakIteratorNext(%GetImplFromInitializedIntlObject(iterator));
1859 1860 1861 1862 1863 1864 1865
}


/**
 * Returns index of the current break.
 */
function current(iterator) {
1866
  return %BreakIteratorCurrent(%GetImplFromInitializedIntlObject(iterator));
1867 1868 1869 1870 1871 1872 1873
}


/**
 * Returns type of the current break.
 */
function breakType(iterator) {
1874
  return %BreakIteratorBreakType(%GetImplFromInitializedIntlObject(iterator));
1875 1876 1877 1878 1879 1880 1881 1882 1883 1884 1885 1886 1887 1888 1889 1890 1891 1892 1893 1894 1895 1896
}


addBoundMethod(Intl.v8BreakIterator, 'adoptText', adoptText, 1);
addBoundMethod(Intl.v8BreakIterator, 'first', first, 0);
addBoundMethod(Intl.v8BreakIterator, 'next', next, 0);
addBoundMethod(Intl.v8BreakIterator, 'current', current, 0);
addBoundMethod(Intl.v8BreakIterator, 'breakType', breakType, 0);

// Save references to Intl objects and methods we use, for added security.
var savedObjects = {
  'collator': Intl.Collator,
  'numberformat': Intl.NumberFormat,
  'dateformatall': Intl.DateTimeFormat,
  'dateformatdate': Intl.DateTimeFormat,
  'dateformattime': Intl.DateTimeFormat
};


// Default (created with undefined locales and options parameters) collator,
// number and date format instances. They'll be created as needed.
var defaultObjects = {
1897 1898 1899 1900 1901
  'collator': UNDEFINED,
  'numberformat': UNDEFINED,
  'dateformatall': UNDEFINED,
  'dateformatdate': UNDEFINED,
  'dateformattime': UNDEFINED,
1902 1903 1904 1905 1906 1907 1908 1909
};


/**
 * Returns cached or newly created instance of a given service.
 * We cache only default instances (where no locales or options are provided).
 */
function cachedOrNewService(service, locales, options, defaults) {
1910 1911 1912
  var useOptions = (IS_UNDEFINED(defaults)) ? options : defaults;
  if (IS_UNDEFINED(locales) && IS_UNDEFINED(options)) {
    if (IS_UNDEFINED(defaultObjects[service])) {
1913 1914 1915 1916 1917 1918 1919 1920
      defaultObjects[service] = new savedObjects[service](locales, useOptions);
    }
    return defaultObjects[service];
  }
  return new savedObjects[service](locales, useOptions);
}


1921 1922 1923 1924 1925 1926 1927 1928 1929 1930 1931
function OverrideFunction(object, name, f) {
  %CheckIsBootstrapping();
  ObjectDefineProperty(object, name, { value: f,
                                       writeable: true,
                                       configurable: true,
                                       enumerable: false });
  SetFunctionName(f, name);
  %FunctionRemovePrototype(f);
  %SetNativeFlag(f);
}

1932 1933 1934 1935
/**
 * Compares this and that, and returns less than 0, 0 or greater than 0 value.
 * Overrides the built-in method.
 */
1936
OverrideFunction(GlobalString.prototype, 'localeCompare', function(that) {
1937
    if (%_IsConstructCall()) {
1938
      throw MakeTypeError(kOrdinaryFunctionCalledAsConstructor);
1939 1940
    }

1941
    if (IS_NULL_OR_UNDEFINED(this)) {
1942
      throw MakeTypeError(kMethodInvokedOnNullOrUndefined);
1943 1944
    }

1945 1946
    var locales = %_Arguments(1);
    var options = %_Arguments(2);
1947 1948
    var collator = cachedOrNewService('collator', locales, options);
    return compare(collator, this, that);
1949 1950
  }
);
1951 1952


1953 1954 1955 1956 1957 1958 1959
/**
 * Unicode normalization. This method is called with one argument that
 * specifies the normalization form.
 * If none is specified, "NFC" is assumed.
 * If the form is not one of "NFC", "NFD", "NFKC", or "NFKD", then throw
 * a RangeError Exception.
 */
1960
OverrideFunction(GlobalString.prototype, 'normalize', function(that) {
1961
    if (%_IsConstructCall()) {
1962
      throw MakeTypeError(kOrdinaryFunctionCalledAsConstructor);
1963 1964 1965 1966
    }

    CHECK_OBJECT_COERCIBLE(this, "String.prototype.normalize");

1967
    var form = GlobalString(%_Arguments(0) || 'NFC');
1968

1969 1970
    var NORMALIZATION_FORMS = ['NFC', 'NFD', 'NFKC', 'NFKD'];

1971 1972
    var normalizationForm = NORMALIZATION_FORMS.indexOf(form);
    if (normalizationForm === -1) {
1973
      throw MakeRangeError(kNormalizationForm, NORMALIZATION_FORMS.join(', '));
1974 1975 1976
    }

    return %StringNormalize(this, normalizationForm);
1977 1978
  }
);
1979 1980


1981 1982 1983 1984
/**
 * Formats a Number object (this) using locale and options values.
 * If locale or options are omitted, defaults are used.
 */
1985
OverrideFunction(GlobalNumber.prototype, 'toLocaleString', function() {
1986
    if (%_IsConstructCall()) {
1987
      throw MakeTypeError(kOrdinaryFunctionCalledAsConstructor);
1988 1989
    }

1990
    if (!(this instanceof GlobalNumber) && typeof(this) !== 'number') {
1991
      throw MakeTypeError(kMethodInvokedOnWrongType, "Number");
1992 1993
    }

1994 1995
    var locales = %_Arguments(0);
    var options = %_Arguments(1);
1996 1997
    var numberFormat = cachedOrNewService('numberformat', locales, options);
    return formatNumber(numberFormat, this);
1998 1999
  }
);
2000 2001 2002 2003 2004 2005


/**
 * Returns actual formatted date or fails if date parameter is invalid.
 */
function toLocaleDateTime(date, locales, options, required, defaults, service) {
2006
  if (!(date instanceof GlobalDate)) {
2007
    throw MakeTypeError(kMethodInvokedOnWrongType, "Date");
2008 2009
  }

2010
  if (IsNaN(date)) return 'Invalid Date';
2011 2012 2013 2014 2015 2016 2017 2018 2019 2020 2021 2022 2023 2024 2025

  var internalOptions = toDateTimeOptions(options, required, defaults);

  var dateFormat =
      cachedOrNewService(service, locales, options, internalOptions);

  return formatDate(dateFormat, date);
}


/**
 * Formats a Date object (this) using locale and options values.
 * If locale or options are omitted, defaults are used - both date and time are
 * present in the output.
 */
2026
OverrideFunction(GlobalDate.prototype, 'toLocaleString', function() {
2027
    if (%_IsConstructCall()) {
2028
      throw MakeTypeError(kOrdinaryFunctionCalledAsConstructor);
2029 2030
    }

2031 2032
    var locales = %_Arguments(0);
    var options = %_Arguments(1);
2033 2034
    return toLocaleDateTime(
        this, locales, options, 'any', 'all', 'dateformatall');
2035 2036
  }
);
2037 2038 2039 2040 2041 2042 2043


/**
 * Formats a Date object (this) using locale and options values.
 * If locale or options are omitted, defaults are used - only date is present
 * in the output.
 */
2044
OverrideFunction(GlobalDate.prototype, 'toLocaleDateString', function() {
2045
    if (%_IsConstructCall()) {
2046
      throw MakeTypeError(kOrdinaryFunctionCalledAsConstructor);
2047 2048
    }

2049 2050
    var locales = %_Arguments(0);
    var options = %_Arguments(1);
2051 2052
    return toLocaleDateTime(
        this, locales, options, 'date', 'date', 'dateformatdate');
2053 2054
  }
);
2055 2056 2057 2058 2059 2060 2061


/**
 * Formats a Date object (this) using locale and options values.
 * If locale or options are omitted, defaults are used - only time is present
 * in the output.
 */
2062
OverrideFunction(GlobalDate.prototype, 'toLocaleTimeString', function() {
2063
    if (%_IsConstructCall()) {
2064
      throw MakeTypeError(kOrdinaryFunctionCalledAsConstructor);
2065 2066
    }

2067 2068
    var locales = %_Arguments(0);
    var options = %_Arguments(1);
2069 2070
    return toLocaleDateTime(
        this, locales, options, 'time', 'time', 'dateformattime');
2071 2072 2073
  }
);

2074
})