FastDatePrinter.java

  1. /*
  2.  * Licensed to the Apache Software Foundation (ASF) under one or more
  3.  * contributor license agreements.  See the NOTICE file distributed with
  4.  * this work for additional information regarding copyright ownership.
  5.  * The ASF licenses this file to You under the Apache License, Version 2.0
  6.  * (the "License"); you may not use this file except in compliance with
  7.  * the License.  You may obtain a copy of the License at
  8.  *
  9.  *      http://www.apache.org/licenses/LICENSE-2.0
  10.  *
  11.  * Unless required by applicable law or agreed to in writing, software
  12.  * distributed under the License is distributed on an "AS IS" BASIS,
  13.  * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
  14.  * See the License for the specific language governing permissions and
  15.  * limitations under the License.
  16.  */
  17. package org.apache.commons.lang3.time;

  18. import java.io.IOException;
  19. import java.io.ObjectInputStream;
  20. import java.io.Serializable;
  21. import java.text.DateFormat;
  22. import java.text.DateFormatSymbols;
  23. import java.text.FieldPosition;
  24. import java.text.SimpleDateFormat;
  25. import java.util.ArrayList;
  26. import java.util.Calendar;
  27. import java.util.Date;
  28. import java.util.List;
  29. import java.util.Locale;
  30. import java.util.TimeZone;
  31. import java.util.concurrent.ConcurrentHashMap;
  32. import java.util.concurrent.ConcurrentMap;

  33. import org.apache.commons.lang3.ClassUtils;
  34. import org.apache.commons.lang3.LocaleUtils;
  35. import org.apache.commons.lang3.exception.ExceptionUtils;

  36. /**
  37.  * FastDatePrinter is a fast and thread-safe version of
  38.  * {@link java.text.SimpleDateFormat}.
  39.  *
  40.  * <p>To obtain a FastDatePrinter, use {@link FastDateFormat#getInstance(String, TimeZone, Locale)}
  41.  * or another variation of the factory methods of {@link FastDateFormat}.</p>
  42.  *
  43.  * <p>Since FastDatePrinter is thread safe, you can use a static member instance:</p>
  44.  * {@code
  45.  *     private static final DatePrinter DATE_PRINTER = FastDateFormat.getInstance("yyyy-MM-dd");
  46.  * }
  47.  *
  48.  * <p>This class can be used as a direct replacement to
  49.  * {@link SimpleDateFormat} in most formatting situations.
  50.  * This class is especially useful in multi-threaded server environments.
  51.  * {@link SimpleDateFormat} is not thread-safe in any JDK version,
  52.  * nor will it be as Sun have closed the bug/RFE.
  53.  * </p>
  54.  *
  55.  * <p>Only formatting is supported by this class, but all patterns are compatible with
  56.  * SimpleDateFormat (except time zones and some year patterns - see below).</p>
  57.  *
  58.  * <p>Java 1.4 introduced a new pattern letter, {@code 'Z'}, to represent
  59.  * time zones in RFC822 format (eg. {@code +0800} or {@code -1100}).
  60.  * This pattern letter can be used here (on all JDK versions).</p>
  61.  *
  62.  * <p>In addition, the pattern {@code 'ZZ'} has been made to represent
  63.  * ISO 8601 extended format time zones (eg. {@code +08:00} or {@code -11:00}).
  64.  * This introduces a minor incompatibility with Java 1.4, but at a gain of
  65.  * useful functionality.</p>
  66.  *
  67.  * <p>Starting with JDK7, ISO 8601 support was added using the pattern {@code 'X'}.
  68.  * To maintain compatibility, {@code 'ZZ'} will continue to be supported, but using
  69.  * one of the {@code 'X'} formats is recommended.
  70.  *
  71.  * <p>Javadoc cites for the year pattern: <i>For formatting, if the number of
  72.  * pattern letters is 2, the year is truncated to 2 digits; otherwise it is
  73.  * interpreted as a number.</i> Starting with Java 1.7 a pattern of 'Y' or
  74.  * 'YYY' will be formatted as '2003', while it was '03' in former Java
  75.  * versions. FastDatePrinter implements the behavior of Java 7.</p>
  76.  *
  77.  * @since 3.2
  78.  * @see FastDateParser
  79.  */
  80. public class FastDatePrinter implements DatePrinter, Serializable {
  81.     // A lot of the speed in this class comes from caching, but some comes
  82.     // from the special int to StringBuffer conversion.
  83.     //
  84.     // The following produces a padded 2-digit number:
  85.     //   buffer.append((char)(value / 10 + '0'));
  86.     //   buffer.append((char)(value % 10 + '0'));
  87.     //
  88.     // Note that the fastest append to StringBuffer is a single char (used here).
  89.     // Note that Integer.toString() is not called, the conversion is simply
  90.     // taking the value and adding (mathematically) the ASCII value for '0'.
  91.     // So, don't change this code! It works and is very fast.

  92.     /**
  93.      * Inner class to output a constant single character.
  94.      */
  95.     private static class CharacterLiteral implements Rule {
  96.         private final char value;

  97.         /**
  98.          * Constructs a new instance of {@link CharacterLiteral}
  99.          * to hold the specified value.
  100.          *
  101.          * @param value the character literal
  102.          */
  103.         CharacterLiteral(final char value) {
  104.             this.value = value;
  105.         }

  106.         /**
  107.          * {@inheritDoc}
  108.          */
  109.         @Override
  110.         public void appendTo(final Appendable buffer, final Calendar calendar) throws IOException {
  111.             buffer.append(value);
  112.         }

  113.         /**
  114.          * {@inheritDoc}
  115.          */
  116.         @Override
  117.         public int estimateLength() {
  118.             return 1;
  119.         }
  120.     }

  121.     /**
  122.      * Inner class to output the numeric day in week.
  123.      */
  124.     private static class DayInWeekField implements NumberRule {
  125.         private final NumberRule rule;

  126.         DayInWeekField(final NumberRule rule) {
  127.             this.rule = rule;
  128.         }

  129.         @Override
  130.         public void appendTo(final Appendable buffer, final Calendar calendar) throws IOException {
  131.             final int value = calendar.get(Calendar.DAY_OF_WEEK);
  132.             rule.appendTo(buffer, value == Calendar.SUNDAY ? 7 : value - 1);
  133.         }

  134.         @Override
  135.         public void appendTo(final Appendable buffer, final int value) throws IOException {
  136.             rule.appendTo(buffer, value);
  137.         }

  138.         @Override
  139.         public int estimateLength() {
  140.             return rule.estimateLength();
  141.         }
  142.     }

  143.     /**
  144.      * Inner class to output a time zone as a number {@code +/-HHMM}
  145.      * or {@code +/-HH:MM}.
  146.      */
  147.     private static class Iso8601_Rule implements Rule {

  148.         // Sign TwoDigitHours or Z
  149.         static final Iso8601_Rule ISO8601_HOURS = new Iso8601_Rule(3);
  150.         // Sign TwoDigitHours Minutes or Z
  151.         static final Iso8601_Rule ISO8601_HOURS_MINUTES = new Iso8601_Rule(5);
  152.         // Sign TwoDigitHours : Minutes or Z
  153.         static final Iso8601_Rule ISO8601_HOURS_COLON_MINUTES = new Iso8601_Rule(6);

  154.         /**
  155.          * Factory method for Iso8601_Rules.
  156.          *
  157.          * @param tokenLen a token indicating the length of the TimeZone String to be formatted.
  158.          * @return an Iso8601_Rule that can format TimeZone String of length {@code tokenLen}. If no such
  159.          *          rule exists, an IllegalArgumentException will be thrown.
  160.          */
  161.         static Iso8601_Rule getRule(final int tokenLen) {
  162.             switch (tokenLen) {
  163.             case 1:
  164.                 return ISO8601_HOURS;
  165.             case 2:
  166.                 return ISO8601_HOURS_MINUTES;
  167.             case 3:
  168.                 return ISO8601_HOURS_COLON_MINUTES;
  169.             default:
  170.                 throw new IllegalArgumentException("invalid number of X");
  171.             }
  172.         }

  173.         private final int length;

  174.         /**
  175.          * Constructs an instance of {@code Iso8601_Rule} with the specified properties.
  176.          *
  177.          * @param length The number of characters in output (unless Z is output)
  178.          */
  179.         Iso8601_Rule(final int length) {
  180.             this.length = length;
  181.         }

  182.         /**
  183.          * {@inheritDoc}
  184.          */
  185.         @Override
  186.         public void appendTo(final Appendable buffer, final Calendar calendar) throws IOException {
  187.             int offset = calendar.get(Calendar.ZONE_OFFSET) + calendar.get(Calendar.DST_OFFSET);
  188.             if (offset == 0) {
  189.                 buffer.append("Z");
  190.                 return;
  191.             }

  192.             if (offset < 0) {
  193.                 buffer.append('-');
  194.                 offset = -offset;
  195.             } else {
  196.                 buffer.append('+');
  197.             }

  198.             final int hours = offset / (60 * 60 * 1000);
  199.             appendDigits(buffer, hours);

  200.             if (length < 5) {
  201.                 return;
  202.             }

  203.             if (length == 6) {
  204.                 buffer.append(':');
  205.             }

  206.             final int minutes = offset / (60 * 1000) - 60 * hours;
  207.             appendDigits(buffer, minutes);
  208.         }

  209.         /**
  210.          * {@inheritDoc}
  211.          */
  212.         @Override
  213.         public int estimateLength() {
  214.             return length;
  215.         }
  216.     }
  217.     /**
  218.      * Inner class defining a numeric rule.
  219.      */
  220.     private interface NumberRule extends Rule {
  221.         /**
  222.          * Appends the specified value to the output buffer based on the rule implementation.
  223.          *
  224.          * @param buffer the output buffer
  225.          * @param value the value to be appended
  226.          * @throws IOException if an I/O error occurs.
  227.          */
  228.         void appendTo(Appendable buffer, int value) throws IOException;
  229.     }
  230.     /**
  231.      * Inner class to output a padded number.
  232.      */
  233.     private static final class PaddedNumberField implements NumberRule {
  234.         // Note: This is final to avoid Spotbugs CT_CONSTRUCTOR_THROW
  235.         private final int field;
  236.         private final int size;

  237.         /**
  238.          * Constructs an instance of {@link PaddedNumberField}.
  239.          *
  240.          * @param field the field
  241.          * @param size size of the output field
  242.          */
  243.         PaddedNumberField(final int field, final int size) {
  244.             if (size < 3) {
  245.                 // Should use UnpaddedNumberField or TwoDigitNumberField.
  246.                 throw new IllegalArgumentException();
  247.             }
  248.             this.field = field;
  249.             this.size = size;
  250.         }

  251.         /**
  252.          * {@inheritDoc}
  253.          */
  254.         @Override
  255.         public void appendTo(final Appendable buffer, final Calendar calendar) throws IOException {
  256.             appendTo(buffer, calendar.get(field));
  257.         }

  258.         /**
  259.          * {@inheritDoc}
  260.          */
  261.         @Override
  262.         public /* final */ void appendTo(final Appendable buffer, final int value) throws IOException {
  263.             // Checkstyle complains about redundant qualifier
  264.             appendFullDigits(buffer, value, size);
  265.         }

  266.         /**
  267.          * {@inheritDoc}
  268.          */
  269.         @Override
  270.         public int estimateLength() {
  271.             return size;
  272.         }
  273.     }
  274.     // Rules
  275.     /**
  276.      * Inner class defining a rule.
  277.      */
  278.     private interface Rule {
  279.         /**
  280.          * Appends the value of the specified calendar to the output buffer based on the rule implementation.
  281.          *
  282.          * @param buf the output buffer
  283.          * @param calendar calendar to be appended
  284.          * @throws IOException if an I/O error occurs.
  285.          */
  286.         void appendTo(Appendable buf, Calendar calendar) throws IOException;

  287.         /**
  288.          * Returns the estimated length of the result.
  289.          *
  290.          * @return the estimated length
  291.          */
  292.         int estimateLength();
  293.     }

  294.     /**
  295.      * Inner class to output a constant string.
  296.      */
  297.     private static class StringLiteral implements Rule {
  298.         private final String value;

  299.         /**
  300.          * Constructs a new instance of {@link StringLiteral}
  301.          * to hold the specified value.
  302.          *
  303.          * @param value the string literal
  304.          */
  305.         StringLiteral(final String value) {
  306.             this.value = value;
  307.         }

  308.         /**
  309.          * {@inheritDoc}
  310.          */
  311.         @Override
  312.         public void appendTo(final Appendable buffer, final Calendar calendar) throws IOException {
  313.             buffer.append(value);
  314.         }

  315.         /**
  316.          * {@inheritDoc}
  317.          */
  318.         @Override
  319.         public int estimateLength() {
  320.             return value.length();
  321.         }
  322.     }
  323.     /**
  324.      * Inner class to output one of a set of values.
  325.      */
  326.     private static class TextField implements Rule {
  327.         private final int field;
  328.         private final String[] values;

  329.         /**
  330.          * Constructs an instance of {@link TextField}
  331.          * with the specified field and values.
  332.          *
  333.          * @param field the field
  334.          * @param values the field values
  335.          */
  336.         TextField(final int field, final String[] values) {
  337.             this.field = field;
  338.             this.values = values;
  339.         }

  340.         /**
  341.          * {@inheritDoc}
  342.          */
  343.         @Override
  344.         public void appendTo(final Appendable buffer, final Calendar calendar) throws IOException {
  345.             buffer.append(values[calendar.get(field)]);
  346.         }

  347.         /**
  348.          * {@inheritDoc}
  349.          */
  350.         @Override
  351.         public int estimateLength() {
  352.             int max = 0;
  353.             for (int i = values.length; --i >= 0;) {
  354.                 final int len = values[i].length();
  355.                 if (len > max) {
  356.                     max = len;
  357.                 }
  358.             }
  359.             return max;
  360.         }
  361.     }
  362.     /**
  363.      * Inner class that acts as a compound key for time zone names.
  364.      */
  365.     private static class TimeZoneDisplayKey {
  366.         private final TimeZone timeZone;
  367.         private final int style;
  368.         private final Locale locale;

  369.         /**
  370.          * Constructs an instance of {@link TimeZoneDisplayKey} with the specified properties.
  371.          *
  372.          * @param timeZone the time zone
  373.          * @param daylight adjust the style for daylight saving time if {@code true}
  374.          * @param style the time zone style
  375.          * @param locale the time zone locale
  376.          */
  377.         TimeZoneDisplayKey(final TimeZone timeZone,
  378.                            final boolean daylight, final int style, final Locale locale) {
  379.             this.timeZone = timeZone;
  380.             if (daylight) {
  381.                 this.style = style | 0x80000000;
  382.             } else {
  383.                 this.style = style;
  384.             }
  385.             this.locale = LocaleUtils.toLocale(locale);
  386.         }

  387.         /**
  388.          * {@inheritDoc}
  389.          */
  390.         @Override
  391.         public boolean equals(final Object obj) {
  392.             if (this == obj) {
  393.                 return true;
  394.             }
  395.             if (obj instanceof TimeZoneDisplayKey) {
  396.                 final TimeZoneDisplayKey other = (TimeZoneDisplayKey) obj;
  397.                 return
  398.                     timeZone.equals(other.timeZone) &&
  399.                     style == other.style &&
  400.                     locale.equals(other.locale);
  401.             }
  402.             return false;
  403.         }

  404.         /**
  405.          * {@inheritDoc}
  406.          */
  407.         @Override
  408.         public int hashCode() {
  409.             return (style * 31 + locale.hashCode() ) * 31 + timeZone.hashCode();
  410.         }
  411.     }
  412.     /**
  413.      * Inner class to output a time zone name.
  414.      */
  415.     private static class TimeZoneNameRule implements Rule {
  416.         private final Locale locale;
  417.         private final int style;
  418.         private final String standard;
  419.         private final String daylight;

  420.         /**
  421.          * Constructs an instance of {@link TimeZoneNameRule} with the specified properties.
  422.          *
  423.          * @param timeZone the time zone
  424.          * @param locale the locale
  425.          * @param style the style
  426.          */
  427.         TimeZoneNameRule(final TimeZone timeZone, final Locale locale, final int style) {
  428.             this.locale = LocaleUtils.toLocale(locale);
  429.             this.style = style;
  430.             this.standard = getTimeZoneDisplay(timeZone, false, style, locale);
  431.             this.daylight = getTimeZoneDisplay(timeZone, true, style, locale);
  432.         }

  433.         /**
  434.          * {@inheritDoc}
  435.          */
  436.         @Override
  437.         public void appendTo(final Appendable buffer, final Calendar calendar) throws IOException {
  438.             final TimeZone zone = calendar.getTimeZone();
  439.             final boolean daylight = calendar.get(Calendar.DST_OFFSET) != 0;
  440.             buffer.append(getTimeZoneDisplay(zone, daylight, style, locale));
  441.         }

  442.         /**
  443.          * {@inheritDoc}
  444.          */
  445.         @Override
  446.         public int estimateLength() {
  447.             // We have no access to the Calendar object that will be passed to
  448.             // appendTo so base estimate on the TimeZone passed to the
  449.             // constructor
  450.             return Math.max(standard.length(), daylight.length());
  451.         }
  452.     }
  453.     /**
  454.      * Inner class to output a time zone as a number {@code +/-HHMM}
  455.      * or {@code +/-HH:MM}.
  456.      */
  457.     private static class TimeZoneNumberRule implements Rule {
  458.         static final TimeZoneNumberRule INSTANCE_COLON = new TimeZoneNumberRule(true);
  459.         static final TimeZoneNumberRule INSTANCE_NO_COLON = new TimeZoneNumberRule(false);

  460.         private final boolean colon;

  461.         /**
  462.          * Constructs an instance of {@link TimeZoneNumberRule} with the specified properties.
  463.          *
  464.          * @param colon add colon between HH and MM in the output if {@code true}
  465.          */
  466.         TimeZoneNumberRule(final boolean colon) {
  467.             this.colon = colon;
  468.         }

  469.         /**
  470.          * {@inheritDoc}
  471.          */
  472.         @Override
  473.         public void appendTo(final Appendable buffer, final Calendar calendar) throws IOException {

  474.             int offset = calendar.get(Calendar.ZONE_OFFSET) + calendar.get(Calendar.DST_OFFSET);

  475.             if (offset < 0) {
  476.                 buffer.append('-');
  477.                 offset = -offset;
  478.             } else {
  479.                 buffer.append('+');
  480.             }

  481.             final int hours = offset / (60 * 60 * 1000);
  482.             appendDigits(buffer, hours);

  483.             if (colon) {
  484.                 buffer.append(':');
  485.             }

  486.             final int minutes = offset / (60 * 1000) - 60 * hours;
  487.             appendDigits(buffer, minutes);
  488.         }

  489.         /**
  490.          * {@inheritDoc}
  491.          */
  492.         @Override
  493.         public int estimateLength() {
  494.             return 5;
  495.         }
  496.     }

  497.     /**
  498.      * Inner class to output the twelve hour field.
  499.      */
  500.     private static class TwelveHourField implements NumberRule {
  501.         private final NumberRule rule;

  502.         /**
  503.          * Constructs an instance of {@link TwelveHourField} with the specified
  504.          * {@link NumberRule}.
  505.          *
  506.          * @param rule the rule
  507.          */
  508.         TwelveHourField(final NumberRule rule) {
  509.             this.rule = rule;
  510.         }

  511.         /**
  512.          * {@inheritDoc}
  513.          */
  514.         @Override
  515.         public void appendTo(final Appendable buffer, final Calendar calendar) throws IOException {
  516.             int value = calendar.get(Calendar.HOUR);
  517.             if (value == 0) {
  518.                 value = calendar.getLeastMaximum(Calendar.HOUR) + 1;
  519.             }
  520.             rule.appendTo(buffer, value);
  521.         }

  522.         /**
  523.          * {@inheritDoc}
  524.          */
  525.         @Override
  526.         public void appendTo(final Appendable buffer, final int value) throws IOException {
  527.             rule.appendTo(buffer, value);
  528.         }

  529.         /**
  530.          * {@inheritDoc}
  531.          */
  532.         @Override
  533.         public int estimateLength() {
  534.             return rule.estimateLength();
  535.         }
  536.     }

  537.     /**
  538.      * Inner class to output the twenty four hour field.
  539.      */
  540.     private static class TwentyFourHourField implements NumberRule {
  541.         private final NumberRule rule;

  542.         /**
  543.          * Constructs an instance of {@link TwentyFourHourField} with the specified
  544.          * {@link NumberRule}.
  545.          *
  546.          * @param rule the rule
  547.          */
  548.         TwentyFourHourField(final NumberRule rule) {
  549.             this.rule = rule;
  550.         }

  551.         /**
  552.          * {@inheritDoc}
  553.          */
  554.         @Override
  555.         public void appendTo(final Appendable buffer, final Calendar calendar) throws IOException {
  556.             int value = calendar.get(Calendar.HOUR_OF_DAY);
  557.             if (value == 0) {
  558.                 value = calendar.getMaximum(Calendar.HOUR_OF_DAY) + 1;
  559.             }
  560.             rule.appendTo(buffer, value);
  561.         }

  562.         /**
  563.          * {@inheritDoc}
  564.          */
  565.         @Override
  566.         public void appendTo(final Appendable buffer, final int value) throws IOException {
  567.             rule.appendTo(buffer, value);
  568.         }

  569.         /**
  570.          * {@inheritDoc}
  571.          */
  572.         @Override
  573.         public int estimateLength() {
  574.             return rule.estimateLength();
  575.         }
  576.     }

  577.     /**
  578.      * Inner class to output a two digit month.
  579.      */
  580.     private static class TwoDigitMonthField implements NumberRule {
  581.         static final TwoDigitMonthField INSTANCE = new TwoDigitMonthField();

  582.         /**
  583.          * Constructs an instance of {@link TwoDigitMonthField}.
  584.          */
  585.         TwoDigitMonthField() {
  586.         }

  587.         /**
  588.          * {@inheritDoc}
  589.          */
  590.         @Override
  591.         public void appendTo(final Appendable buffer, final Calendar calendar) throws IOException {
  592.             appendTo(buffer, calendar.get(Calendar.MONTH) + 1);
  593.         }

  594.         /**
  595.          * {@inheritDoc}
  596.          */
  597.         @Override
  598.         public final void appendTo(final Appendable buffer, final int value) throws IOException {
  599.             appendDigits(buffer, value);
  600.         }

  601.         /**
  602.          * {@inheritDoc}
  603.          */
  604.         @Override
  605.         public int estimateLength() {
  606.             return 2;
  607.         }
  608.     }

  609.     /**
  610.      * Inner class to output a two digit number.
  611.      */
  612.     private static class TwoDigitNumberField implements NumberRule {
  613.         private final int field;

  614.         /**
  615.          * Constructs an instance of {@link TwoDigitNumberField} with the specified field.
  616.          *
  617.          * @param field the field
  618.          */
  619.         TwoDigitNumberField(final int field) {
  620.             this.field = field;
  621.         }

  622.         /**
  623.          * {@inheritDoc}
  624.          */
  625.         @Override
  626.         public void appendTo(final Appendable buffer, final Calendar calendar) throws IOException {
  627.             appendTo(buffer, calendar.get(field));
  628.         }

  629.         /**
  630.          * {@inheritDoc}
  631.          */
  632.         @Override
  633.         public final void appendTo(final Appendable buffer, final int value) throws IOException {
  634.             if (value < 100) {
  635.                 appendDigits(buffer, value);
  636.             } else {
  637.                 appendFullDigits(buffer, value, 2);
  638.             }
  639.         }

  640.         /**
  641.          * {@inheritDoc}
  642.          */
  643.         @Override
  644.         public int estimateLength() {
  645.             return 2;
  646.         }
  647.     }

  648.     /**
  649.      * Inner class to output a two digit year.
  650.      */
  651.     private static class TwoDigitYearField implements NumberRule {
  652.         static final TwoDigitYearField INSTANCE = new TwoDigitYearField();

  653.         /**
  654.          * Constructs an instance of {@link TwoDigitYearField}.
  655.          */
  656.         TwoDigitYearField() {
  657.         }

  658.         /**
  659.          * {@inheritDoc}
  660.          */
  661.         @Override
  662.         public void appendTo(final Appendable buffer, final Calendar calendar) throws IOException {
  663.             appendTo(buffer, calendar.get(Calendar.YEAR) % 100);
  664.         }

  665.         /**
  666.          * {@inheritDoc}
  667.          */
  668.         @Override
  669.         public final void appendTo(final Appendable buffer, final int value) throws IOException {
  670.             appendDigits(buffer, value % 100);
  671.         }

  672.         /**
  673.          * {@inheritDoc}
  674.          */
  675.         @Override
  676.         public int estimateLength() {
  677.             return 2;
  678.         }
  679.     }

  680.     /**
  681.      * Inner class to output an unpadded month.
  682.      */
  683.     private static class UnpaddedMonthField implements NumberRule {
  684.         static final UnpaddedMonthField INSTANCE = new UnpaddedMonthField();

  685.         /**
  686.          * Constructs an instance of {@link UnpaddedMonthField}.
  687.          */
  688.         UnpaddedMonthField() {
  689.         }

  690.         /**
  691.          * {@inheritDoc}
  692.          */
  693.         @Override
  694.         public void appendTo(final Appendable buffer, final Calendar calendar) throws IOException {
  695.             appendTo(buffer, calendar.get(Calendar.MONTH) + 1);
  696.         }

  697.         /**
  698.          * {@inheritDoc}
  699.          */
  700.         @Override
  701.         public final void appendTo(final Appendable buffer, final int value) throws IOException {
  702.             if (value < 10) {
  703.                 buffer.append((char) (value + '0'));
  704.             } else {
  705.                 appendDigits(buffer, value);
  706.             }
  707.         }

  708.         /**
  709.          * {@inheritDoc}
  710.          */
  711.         @Override
  712.         public int estimateLength() {
  713.             return 2;
  714.         }
  715.     }

  716.     /**
  717.      * Inner class to output an unpadded number.
  718.      */
  719.     private static class UnpaddedNumberField implements NumberRule {
  720.         private final int field;

  721.         /**
  722.          * Constructs an instance of {@link UnpaddedNumberField} with the specified field.
  723.          *
  724.          * @param field the field
  725.          */
  726.         UnpaddedNumberField(final int field) {
  727.             this.field = field;
  728.         }

  729.         /**
  730.          * {@inheritDoc}
  731.          */
  732.         @Override
  733.         public void appendTo(final Appendable buffer, final Calendar calendar) throws IOException {
  734.             appendTo(buffer, calendar.get(field));
  735.         }

  736.         /**
  737.          * {@inheritDoc}
  738.          */
  739.         @Override
  740.         public final void appendTo(final Appendable buffer, final int value) throws IOException {
  741.             if (value < 10) {
  742.                 buffer.append((char) (value + '0'));
  743.             } else if (value < 100) {
  744.                 appendDigits(buffer, value);
  745.             } else {
  746.                appendFullDigits(buffer, value, 1);
  747.             }
  748.         }

  749.         /**
  750.          * {@inheritDoc}
  751.          */
  752.         @Override
  753.         public int estimateLength() {
  754.             return 4;
  755.         }
  756.     }

  757.     /**
  758.      * Inner class to output the numeric day in week.
  759.      */
  760.     private static class WeekYear implements NumberRule {
  761.         private final NumberRule rule;

  762.         WeekYear(final NumberRule rule) {
  763.             this.rule = rule;
  764.         }

  765.         @Override
  766.         public void appendTo(final Appendable buffer, final Calendar calendar) throws IOException {
  767.             rule.appendTo(buffer, calendar.getWeekYear());
  768.         }

  769.         @Override
  770.         public void appendTo(final Appendable buffer, final int value) throws IOException {
  771.             rule.appendTo(buffer, value);
  772.         }

  773.         @Override
  774.         public int estimateLength() {
  775.             return rule.estimateLength();
  776.         }
  777.     }

  778.     /** Empty array. */
  779.     private static final Rule[] EMPTY_RULE_ARRAY = {};

  780.     /**
  781.      * Required for serialization support.
  782.      *
  783.      * @see java.io.Serializable
  784.      */
  785.     private static final long serialVersionUID = 1L;

  786.     /**
  787.      * FULL locale dependent date or time style.
  788.      */
  789.     public static final int FULL = DateFormat.FULL;

  790.     /**
  791.      * LONG locale dependent date or time style.
  792.      */
  793.     public static final int LONG = DateFormat.LONG;

  794.     /**
  795.      * MEDIUM locale dependent date or time style.
  796.      */
  797.     public static final int MEDIUM = DateFormat.MEDIUM;

  798.     /**
  799.      * SHORT locale dependent date or time style.
  800.      */
  801.     public static final int SHORT = DateFormat.SHORT;

  802.     private static final int MAX_DIGITS = 10; // log10(Integer.MAX_VALUE) ~= 9.3

  803.     private static final ConcurrentMap<TimeZoneDisplayKey, String> cTimeZoneDisplayCache =
  804.         new ConcurrentHashMap<>(7);

  805.     /**
  806.      * Appends two digits to the given buffer.
  807.      *
  808.      * @param buffer the buffer to append to.
  809.      * @param value the value to append digits from.
  810.      * @throws IOException If an I/O error occurs
  811.      */
  812.     private static void appendDigits(final Appendable buffer, final int value) throws IOException {
  813.         buffer.append((char) (value / 10 + '0'));
  814.         buffer.append((char) (value % 10 + '0'));
  815.     }

  816.     /**
  817.      * Appends all digits to the given buffer.
  818.      *
  819.      * @param buffer the buffer to append to.
  820.      * @param value the value to append digits from.
  821.      * @param minFieldWidth Minimum field width.
  822.      * @throws IOException If an I/O error occurs
  823.      */
  824.     private static void appendFullDigits(final Appendable buffer, int value, int minFieldWidth) throws IOException {
  825.         // specialized paths for 1 to 4 digits -> avoid the memory allocation from the temporary work array
  826.         // see LANG-1248
  827.         if (value < 10000) {
  828.             // less memory allocation path works for four digits or less

  829.             int nDigits = 4;
  830.             if (value < 1000) {
  831.                 --nDigits;
  832.                 if (value < 100) {
  833.                     --nDigits;
  834.                     if (value < 10) {
  835.                         --nDigits;
  836.                     }
  837.                 }
  838.             }
  839.             // left zero pad
  840.             for (int i = minFieldWidth - nDigits; i > 0; --i) {
  841.                 buffer.append('0');
  842.             }

  843.             switch (nDigits) {
  844.             case 4:
  845.                 buffer.append((char) (value / 1000 + '0'));
  846.                 value %= 1000;
  847.             case 3:
  848.                 if (value >= 100) {
  849.                     buffer.append((char) (value / 100 + '0'));
  850.                     value %= 100;
  851.                 } else {
  852.                     buffer.append('0');
  853.                 }
  854.             case 2:
  855.                 if (value >= 10) {
  856.                     buffer.append((char) (value / 10 + '0'));
  857.                     value %= 10;
  858.                 } else {
  859.                     buffer.append('0');
  860.                 }
  861.             case 1:
  862.                 buffer.append((char) (value + '0'));
  863.             }
  864.         } else {
  865.             // more memory allocation path works for any digits

  866.             // build up decimal representation in reverse
  867.             final char[] work = new char[MAX_DIGITS];
  868.             int digit = 0;
  869.             while (value != 0) {
  870.                 work[digit++] = (char) (value % 10 + '0');
  871.                 value /= 10;
  872.             }

  873.             // pad with zeros
  874.             while (digit < minFieldWidth) {
  875.                 buffer.append('0');
  876.                 --minFieldWidth;
  877.             }

  878.             // reverse
  879.             while (--digit >= 0) {
  880.                 buffer.append(work[digit]);
  881.             }
  882.         }
  883.     }

  884.     /**
  885.      * Gets the time zone display name, using a cache for performance.
  886.      *
  887.      * @param tz  the zone to query
  888.      * @param daylight  true if daylight savings
  889.      * @param style  the style to use {@code TimeZone.LONG} or {@code TimeZone.SHORT}
  890.      * @param locale  the locale to use
  891.      * @return the textual name of the time zone
  892.      */
  893.     static String getTimeZoneDisplay(final TimeZone tz, final boolean daylight, final int style, final Locale locale) {
  894.         final TimeZoneDisplayKey key = new TimeZoneDisplayKey(tz, daylight, style, locale);
  895.         // This is a very slow call, so cache the results.
  896.         return cTimeZoneDisplayCache.computeIfAbsent(key, k -> tz.getDisplayName(daylight, style, locale));
  897.     }

  898.     /**
  899.      * The pattern.
  900.      */
  901.     private final String pattern;

  902.     /**
  903.      * The time zone.
  904.      */
  905.     private final TimeZone timeZone;

  906.     /**
  907.      * The locale.
  908.      */
  909.     private final Locale locale;

  910.     /**
  911.      * The parsed rules.
  912.      */
  913.     private transient Rule[] rules;

  914.     /**
  915.      * The estimated maximum length.
  916.      */
  917.     private transient int maxLengthEstimate;

  918.     // Constructor
  919.     /**
  920.      * Constructs a new FastDatePrinter.
  921.      * Use {@link FastDateFormat#getInstance(String, TimeZone, Locale)}  or another variation of the
  922.      * factory methods of {@link FastDateFormat} to get a cached FastDatePrinter instance.
  923.      *
  924.      * @param pattern  {@link java.text.SimpleDateFormat} compatible pattern
  925.      * @param timeZone  non-null time zone to use
  926.      * @param locale  non-null locale to use
  927.      * @throws NullPointerException if pattern, timeZone, or locale is null.
  928.      */
  929.     protected FastDatePrinter(final String pattern, final TimeZone timeZone, final Locale locale) {
  930.         this.pattern = pattern;
  931.         this.timeZone = timeZone;
  932.         this.locale = LocaleUtils.toLocale(locale);
  933.         init();
  934.     }

  935.     /**
  936.      * Performs the formatting by applying the rules to the
  937.      * specified calendar.
  938.      *
  939.      * @param calendar  the calendar to format
  940.      * @param buf  the buffer to format into
  941.      * @param <B> the Appendable class type, usually StringBuilder or StringBuffer.
  942.      * @return the specified string buffer
  943.      */
  944.     private <B extends Appendable> B applyRules(final Calendar calendar, final B buf) {
  945.         try {
  946.             for (final Rule rule : rules) {
  947.                 rule.appendTo(buf, calendar);
  948.             }
  949.         } catch (final IOException ioe) {
  950.             ExceptionUtils.asRuntimeException(ioe);
  951.         }
  952.         return buf;
  953.     }

  954.     /**
  955.      * Performs the formatting by applying the rules to the
  956.      * specified calendar.
  957.      *
  958.      * @param calendar the calendar to format
  959.      * @param buf the buffer to format into
  960.      * @return the specified string buffer
  961.      *
  962.      * @deprecated use {@link #format(Calendar)} or {@link #format(Calendar, Appendable)}
  963.      */
  964.     @Deprecated
  965.     protected StringBuffer applyRules(final Calendar calendar, final StringBuffer buf) {
  966.         return (StringBuffer) applyRules(calendar, (Appendable) buf);
  967.     }

  968.     /**
  969.      * Creates a String representation of the given Calendar by applying the rules of this printer to it.
  970.      * @param c the Calendar to apply the rules to.
  971.      * @return a String representation of the given Calendar.
  972.      */
  973.     private String applyRulesToString(final Calendar c) {
  974.         return applyRules(c, new StringBuilder(maxLengthEstimate)).toString();
  975.     }

  976.     // Basics
  977.     /**
  978.      * Compares two objects for equality.
  979.      *
  980.      * @param obj  the object to compare to
  981.      * @return {@code true} if equal
  982.      */
  983.     @Override
  984.     public boolean equals(final Object obj) {
  985.         if (!(obj instanceof FastDatePrinter)) {
  986.             return false;
  987.         }
  988.         final FastDatePrinter other = (FastDatePrinter) obj;
  989.         return pattern.equals(other.pattern)
  990.             && timeZone.equals(other.timeZone)
  991.             && locale.equals(other.locale);
  992.     }

  993.     /* (non-Javadoc)
  994.      * @see org.apache.commons.lang3.time.DatePrinter#format(java.util.Calendar)
  995.      */
  996.     @Override
  997.     public String format(final Calendar calendar) {
  998.         return format(calendar, new StringBuilder(maxLengthEstimate)).toString();
  999.     }

  1000.     /* (non-Javadoc)
  1001.      * @see org.apache.commons.lang3.time.DatePrinter#format(java.util.Calendar, Appendable)
  1002.      */
  1003.     @Override
  1004.     public <B extends Appendable> B format(Calendar calendar, final B buf) {
  1005.         // do not pass in calendar directly, this will cause TimeZone of FastDatePrinter to be ignored
  1006.         if (!calendar.getTimeZone().equals(timeZone)) {
  1007.             calendar = (Calendar) calendar.clone();
  1008.             calendar.setTimeZone(timeZone);
  1009.         }
  1010.         return applyRules(calendar, buf);
  1011.     }

  1012.     /* (non-Javadoc)
  1013.      * @see org.apache.commons.lang3.time.DatePrinter#format(java.util.Calendar, StringBuffer)
  1014.      */
  1015.     @Override
  1016.     public StringBuffer format(final Calendar calendar, final StringBuffer buf) {
  1017.         // do not pass in calendar directly, this will cause TimeZone of FastDatePrinter to be ignored
  1018.         return format(calendar.getTime(), buf);
  1019.     }

  1020.     /* (non-Javadoc)
  1021.      * @see org.apache.commons.lang3.time.DatePrinter#format(java.util.Date)
  1022.      */
  1023.     @Override
  1024.     public String format(final Date date) {
  1025.         final Calendar c = newCalendar();
  1026.         c.setTime(date);
  1027.         return applyRulesToString(c);
  1028.     }

  1029.     /* (non-Javadoc)
  1030.      * @see org.apache.commons.lang3.time.DatePrinter#format(java.util.Date, Appendable)
  1031.      */
  1032.     @Override
  1033.     public <B extends Appendable> B format(final Date date, final B buf) {
  1034.         final Calendar c = newCalendar();
  1035.         c.setTime(date);
  1036.         return applyRules(c, buf);
  1037.     }

  1038.     /* (non-Javadoc)
  1039.      * @see org.apache.commons.lang3.time.DatePrinter#format(java.util.Date, StringBuffer)
  1040.      */
  1041.     @Override
  1042.     public StringBuffer format(final Date date, final StringBuffer buf) {
  1043.         final Calendar c = newCalendar();
  1044.         c.setTime(date);
  1045.         return (StringBuffer) applyRules(c, (Appendable) buf);
  1046.     }

  1047.     /* (non-Javadoc)
  1048.      * @see org.apache.commons.lang3.time.DatePrinter#format(long)
  1049.      */
  1050.     @Override
  1051.     public String format(final long millis) {
  1052.         final Calendar c = newCalendar();
  1053.         c.setTimeInMillis(millis);
  1054.         return applyRulesToString(c);
  1055.     }

  1056.     /* (non-Javadoc)
  1057.      * @see org.apache.commons.lang3.time.DatePrinter#format(long, Appendable)
  1058.      */
  1059.     @Override
  1060.     public <B extends Appendable> B format(final long millis, final B buf) {
  1061.         final Calendar c = newCalendar();
  1062.         c.setTimeInMillis(millis);
  1063.         return applyRules(c, buf);
  1064.     }

  1065.     /* (non-Javadoc)
  1066.      * @see org.apache.commons.lang3.time.DatePrinter#format(long, StringBuffer)
  1067.      */
  1068.     @Override
  1069.     public StringBuffer format(final long millis, final StringBuffer buf) {
  1070.         final Calendar c = newCalendar();
  1071.         c.setTimeInMillis(millis);
  1072.         return (StringBuffer) applyRules(c, (Appendable) buf);
  1073.     }

  1074.     /**
  1075.      * Formats a {@link Date}, {@link Calendar} or
  1076.      * {@link Long} (milliseconds) object.
  1077.      * @since 3.5
  1078.      * @param obj  the object to format
  1079.      * @return The formatted value.
  1080.      */
  1081.     String format(final Object obj) {
  1082.         if (obj instanceof Date) {
  1083.             return format((Date) obj);
  1084.         }
  1085.         if (obj instanceof Calendar) {
  1086.             return format((Calendar) obj);
  1087.         }
  1088.         if (obj instanceof Long) {
  1089.             return format(((Long) obj).longValue());
  1090.         }
  1091.         throw new IllegalArgumentException("Unknown class: " + ClassUtils.getName(obj, "<null>"));
  1092.     }

  1093.     // Format methods
  1094.     /**
  1095.      * Formats a {@link Date}, {@link Calendar} or
  1096.      * {@link Long} (milliseconds) object.
  1097.      * @deprecated Use {{@link #format(Date)}, {{@link #format(Calendar)}, {{@link #format(long)}.
  1098.      * @param obj  the object to format
  1099.      * @param toAppendTo  the buffer to append to
  1100.      * @param pos  the position - ignored
  1101.      * @return the buffer passed in
  1102.      */
  1103.     @Deprecated
  1104.     @Override
  1105.     public StringBuffer format(final Object obj, final StringBuffer toAppendTo, final FieldPosition pos) {
  1106.         if (obj instanceof Date) {
  1107.             return format((Date) obj, toAppendTo);
  1108.         }
  1109.         if (obj instanceof Calendar) {
  1110.             return format((Calendar) obj, toAppendTo);
  1111.         }
  1112.         if (obj instanceof Long) {
  1113.             return format(((Long) obj).longValue(), toAppendTo);
  1114.         }
  1115.         throw new IllegalArgumentException("Unknown class: " + ClassUtils.getName(obj, "<null>"));
  1116.     }

  1117.     /* (non-Javadoc)
  1118.      * @see org.apache.commons.lang3.time.DatePrinter#getLocale()
  1119.      */
  1120.     @Override
  1121.     public Locale getLocale() {
  1122.         return locale;
  1123.     }

  1124.     /**
  1125.      * Gets an estimate for the maximum string length that the
  1126.      * formatter will produce.
  1127.      *
  1128.      * <p>The actual formatted length will almost always be less than or
  1129.      * equal to this amount.</p>
  1130.      *
  1131.      * @return the maximum formatted length
  1132.      */
  1133.     public int getMaxLengthEstimate() {
  1134.         return maxLengthEstimate;
  1135.     }

  1136.     // Accessors
  1137.     /* (non-Javadoc)
  1138.      * @see org.apache.commons.lang3.time.DatePrinter#getPattern()
  1139.      */
  1140.     @Override
  1141.     public String getPattern() {
  1142.         return pattern;
  1143.     }

  1144.     /* (non-Javadoc)
  1145.      * @see org.apache.commons.lang3.time.DatePrinter#getTimeZone()
  1146.      */
  1147.     @Override
  1148.     public TimeZone getTimeZone() {
  1149.         return timeZone;
  1150.     }

  1151.     /**
  1152.      * Returns a hash code compatible with equals.
  1153.      *
  1154.      * @return a hash code compatible with equals
  1155.      */
  1156.     @Override
  1157.     public int hashCode() {
  1158.         return pattern.hashCode() + 13 * (timeZone.hashCode() + 13 * locale.hashCode());
  1159.     }

  1160.     /**
  1161.      * Initializes the instance for first use.
  1162.      */
  1163.     private void init() {
  1164.         final List<Rule> rulesList = parsePattern();
  1165.         rules = rulesList.toArray(EMPTY_RULE_ARRAY);

  1166.         int len = 0;
  1167.         for (int i = rules.length; --i >= 0;) {
  1168.             len += rules[i].estimateLength();
  1169.         }

  1170.         maxLengthEstimate = len;
  1171.     }

  1172.     /**
  1173.      * Creates a new Calendar instance.
  1174.      * @return a new Calendar instance.
  1175.      */
  1176.     private Calendar newCalendar() {
  1177.         return Calendar.getInstance(timeZone, locale);
  1178.     }

  1179.     // Parse the pattern
  1180.     /**
  1181.      * Returns a list of Rules given a pattern.
  1182.      *
  1183.      * @return a {@link List} of Rule objects
  1184.      * @throws IllegalArgumentException if pattern is invalid
  1185.      */
  1186.     protected List<Rule> parsePattern() {
  1187.         final DateFormatSymbols symbols = new DateFormatSymbols(locale);
  1188.         final List<Rule> rules = new ArrayList<>();

  1189.         final String[] ERAs = symbols.getEras();
  1190.         final String[] months = symbols.getMonths();
  1191.         final String[] shortMonths = symbols.getShortMonths();
  1192.         final String[] weekdays = symbols.getWeekdays();
  1193.         final String[] shortWeekdays = symbols.getShortWeekdays();
  1194.         final String[] AmPmStrings = symbols.getAmPmStrings();

  1195.         final int length = pattern.length();
  1196.         final int[] indexRef = new int[1];

  1197.         for (int i = 0; i < length; i++) {
  1198.             indexRef[0] = i;
  1199.             final String token = parseToken(pattern, indexRef);
  1200.             i = indexRef[0];

  1201.             final int tokenLen = token.length();
  1202.             if (tokenLen == 0) {
  1203.                 break;
  1204.             }

  1205.             Rule rule;
  1206.             final char c = token.charAt(0);

  1207.             switch (c) {
  1208.             case 'G': // era designator (text)
  1209.                 rule = new TextField(Calendar.ERA, ERAs);
  1210.                 break;
  1211.             case 'y': // year (number)
  1212.             case 'Y': // week year
  1213.                 if (tokenLen == 2) {
  1214.                     rule = TwoDigitYearField.INSTANCE;
  1215.                 } else {
  1216.                     rule = selectNumberRule(Calendar.YEAR, Math.max(tokenLen, 4));
  1217.                 }
  1218.                 if (c == 'Y') {
  1219.                     rule = new WeekYear((NumberRule) rule);
  1220.                 }
  1221.                 break;
  1222.             case 'M': // month in year (text and number)
  1223.                 if (tokenLen >= 4) {
  1224.                     rule = new TextField(Calendar.MONTH, months);
  1225.                 } else if (tokenLen == 3) {
  1226.                     rule = new TextField(Calendar.MONTH, shortMonths);
  1227.                 } else if (tokenLen == 2) {
  1228.                     rule = TwoDigitMonthField.INSTANCE;
  1229.                 } else {
  1230.                     rule = UnpaddedMonthField.INSTANCE;
  1231.                 }
  1232.                 break;
  1233.             case 'L': // month in year (text and number)
  1234.                 if (tokenLen >= 4) {
  1235.                     rule = new TextField(Calendar.MONTH, CalendarUtils.getInstance(locale).getStandaloneLongMonthNames());
  1236.                 } else if (tokenLen == 3) {
  1237.                     rule = new TextField(Calendar.MONTH, CalendarUtils.getInstance(locale).getStandaloneShortMonthNames());
  1238.                 } else if (tokenLen == 2) {
  1239.                     rule = TwoDigitMonthField.INSTANCE;
  1240.                 } else {
  1241.                     rule = UnpaddedMonthField.INSTANCE;
  1242.                 }
  1243.                 break;
  1244.             case 'd': // day in month (number)
  1245.                 rule = selectNumberRule(Calendar.DAY_OF_MONTH, tokenLen);
  1246.                 break;
  1247.             case 'h': // hour in am/pm (number, 1..12)
  1248.                 rule = new TwelveHourField(selectNumberRule(Calendar.HOUR, tokenLen));
  1249.                 break;
  1250.             case 'H': // hour in day (number, 0..23)
  1251.                 rule = selectNumberRule(Calendar.HOUR_OF_DAY, tokenLen);
  1252.                 break;
  1253.             case 'm': // minute in hour (number)
  1254.                 rule = selectNumberRule(Calendar.MINUTE, tokenLen);
  1255.                 break;
  1256.             case 's': // second in minute (number)
  1257.                 rule = selectNumberRule(Calendar.SECOND, tokenLen);
  1258.                 break;
  1259.             case 'S': // millisecond (number)
  1260.                 rule = selectNumberRule(Calendar.MILLISECOND, tokenLen);
  1261.                 break;
  1262.             case 'E': // day in week (text)
  1263.                 rule = new TextField(Calendar.DAY_OF_WEEK, tokenLen < 4 ? shortWeekdays : weekdays);
  1264.                 break;
  1265.             case 'u': // day in week (number)
  1266.                 rule = new DayInWeekField(selectNumberRule(Calendar.DAY_OF_WEEK, tokenLen));
  1267.                 break;
  1268.             case 'D': // day in year (number)
  1269.                 rule = selectNumberRule(Calendar.DAY_OF_YEAR, tokenLen);
  1270.                 break;
  1271.             case 'F': // day of week in month (number)
  1272.                 rule = selectNumberRule(Calendar.DAY_OF_WEEK_IN_MONTH, tokenLen);
  1273.                 break;
  1274.             case 'w': // week in year (number)
  1275.                 rule = selectNumberRule(Calendar.WEEK_OF_YEAR, tokenLen);
  1276.                 break;
  1277.             case 'W': // week in month (number)
  1278.                 rule = selectNumberRule(Calendar.WEEK_OF_MONTH, tokenLen);
  1279.                 break;
  1280.             case 'a': // am/pm marker (text)
  1281.                 rule = new TextField(Calendar.AM_PM, AmPmStrings);
  1282.                 break;
  1283.             case 'k': // hour in day (1..24)
  1284.                 rule = new TwentyFourHourField(selectNumberRule(Calendar.HOUR_OF_DAY, tokenLen));
  1285.                 break;
  1286.             case 'K': // hour in am/pm (0..11)
  1287.                 rule = selectNumberRule(Calendar.HOUR, tokenLen);
  1288.                 break;
  1289.             case 'X': // ISO 8601
  1290.                 rule = Iso8601_Rule.getRule(tokenLen);
  1291.                 break;
  1292.             case 'z': // time zone (text)
  1293.                 if (tokenLen >= 4) {
  1294.                     rule = new TimeZoneNameRule(timeZone, locale, TimeZone.LONG);
  1295.                 } else {
  1296.                     rule = new TimeZoneNameRule(timeZone, locale, TimeZone.SHORT);
  1297.                 }
  1298.                 break;
  1299.             case 'Z': // time zone (value)
  1300.                 if (tokenLen == 1) {
  1301.                     rule = TimeZoneNumberRule.INSTANCE_NO_COLON;
  1302.                 } else if (tokenLen == 2) {
  1303.                     rule = Iso8601_Rule.ISO8601_HOURS_COLON_MINUTES;
  1304.                 } else {
  1305.                     rule = TimeZoneNumberRule.INSTANCE_COLON;
  1306.                 }
  1307.                 break;
  1308.             case '\'': // literal text
  1309.                 final String sub = token.substring(1);
  1310.                 if (sub.length() == 1) {
  1311.                     rule = new CharacterLiteral(sub.charAt(0));
  1312.                 } else {
  1313.                     rule = new StringLiteral(sub);
  1314.                 }
  1315.                 break;
  1316.             default:
  1317.                 throw new IllegalArgumentException("Illegal pattern component: " + token);
  1318.             }

  1319.             rules.add(rule);
  1320.         }

  1321.         return rules;
  1322.     }

  1323.     /**
  1324.      * Performs the parsing of tokens.
  1325.      *
  1326.      * @param pattern  the pattern
  1327.      * @param indexRef  index references
  1328.      * @return parsed token
  1329.      */
  1330.     protected String parseToken(final String pattern, final int[] indexRef) {
  1331.         final StringBuilder buf = new StringBuilder();

  1332.         int i = indexRef[0];
  1333.         final int length = pattern.length();

  1334.         char c = pattern.charAt(i);
  1335.         if (c >= 'A' && c <= 'Z' || c >= 'a' && c <= 'z') {
  1336.             // Scan a run of the same character, which indicates a time
  1337.             // pattern.
  1338.             buf.append(c);

  1339.             while (i + 1 < length) {
  1340.                 final char peek = pattern.charAt(i + 1);
  1341.                 if (peek != c) {
  1342.                     break;
  1343.                 }
  1344.                 buf.append(c);
  1345.                 i++;
  1346.             }
  1347.         } else {
  1348.             // This will identify token as text.
  1349.             buf.append('\'');

  1350.             boolean inLiteral = false;

  1351.             for (; i < length; i++) {
  1352.                 c = pattern.charAt(i);

  1353.                 if (c == '\'') {
  1354.                     if (i + 1 < length && pattern.charAt(i + 1) == '\'') {
  1355.                         // '' is treated as escaped '
  1356.                         i++;
  1357.                         buf.append(c);
  1358.                     } else {
  1359.                         inLiteral = !inLiteral;
  1360.                     }
  1361.                 } else if (!inLiteral &&
  1362.                          (c >= 'A' && c <= 'Z' || c >= 'a' && c <= 'z')) {
  1363.                     i--;
  1364.                     break;
  1365.                 } else {
  1366.                     buf.append(c);
  1367.                 }
  1368.             }
  1369.         }

  1370.         indexRef[0] = i;
  1371.         return buf.toString();
  1372.     }

  1373.     // Serializing
  1374.     /**
  1375.      * Create the object after serialization. This implementation reinitializes the
  1376.      * transient properties.
  1377.      *
  1378.      * @param in ObjectInputStream from which the object is being deserialized.
  1379.      * @throws IOException if there is an IO issue.
  1380.      * @throws ClassNotFoundException if a class cannot be found.
  1381.      */
  1382.     private void readObject(final ObjectInputStream in) throws IOException, ClassNotFoundException {
  1383.         in.defaultReadObject();
  1384.         init();
  1385.     }

  1386.     /**
  1387.      * Gets an appropriate rule for the padding required.
  1388.      *
  1389.      * @param field  the field to get a rule for
  1390.      * @param padding  the padding required
  1391.      * @return a new rule with the correct padding
  1392.      */
  1393.     protected NumberRule selectNumberRule(final int field, final int padding) {
  1394.         switch (padding) {
  1395.         case 1:
  1396.             return new UnpaddedNumberField(field);
  1397.         case 2:
  1398.             return new TwoDigitNumberField(field);
  1399.         default:
  1400.             return new PaddedNumberField(field, padding);
  1401.         }
  1402.     }

  1403.     /**
  1404.      * Gets a debugging string version of this formatter.
  1405.      *
  1406.      * @return a debugging string
  1407.      */
  1408.     @Override
  1409.     public String toString() {
  1410.         return "FastDatePrinter[" + pattern + "," + locale + "," + timeZone.getID() + "]";
  1411.     }
  1412. }