如何在Java中将整数转换为本地化的月份名称?


99

我得到一个整数,并且需要在各种语言环境中转换为月份名称:

区域设置en-us的示例:
1-> 1月
2日-> 2月

区域es-mx的示例:
1-> Enero
2-> Febrero


5
请注意,Java月份是从零开始的,因此0 = 1月,1 = 2月,依此
Nick Holt

您是对的,因此,如果需要更改语言,只需更改语言环境。谢谢
atomicfat

2
@NickHolt 更新现代java.timeMonth枚举是基于一个的:1月至12月为1-12。java.time.DayOfWeek](https://docs.oracle.com/javase/9/docs/api/java/time/DayOfWeek.html): 1-7 for Monday-Sunday per ISO 8601 standard. Only the troublesome old legacy date-time classes such as 日历的同上有疯狂的编号方案。避免使用遗留类的众多原因之一,现在已完全由java.time类取代。
罗勒·布尔克

Answers:


211
import java.text.DateFormatSymbols;
public String getMonth(int month) {
    return new DateFormatSymbols().getMonths()[month-1];
}

12
因为数组是从零开始的,所以您不需要'month-1'吗?atomsfat希望1 - >一月等等
布莱恩·阿格纽

7
他确实需要month-1,因为month是从1开始的月数,需要转换为从0开始的数组位置
Sam Barnum 2009年

5
public String getMonth(int month,Locale locale){return DateFormatSymbols.getInstance(locale).getMonths()[month-1]; }
atomicfat

4
需要month-1。使用的其他任何人Calendar.get(Calendar.MONTH)都只需month
Ron

1
执行的DateFormatSymbols在JDK 8改变,所以getMonths方法并不适用于所有语言环境的再返回正确的值:oracle.com/technetwork/java/javase/...
ahaaman

33

您需要将LLLL用于独立的月份名称。在文档中对此进行了SimpleDateFormat记录,例如:

SimpleDateFormat dateFormat = new SimpleDateFormat( "LLLL", Locale.getDefault() );
dateFormat.format( date );

JDK 1.7 /IllegalArgumentException : Illegal pattern character 'L'
AntJavaDev

26

tl; dr

Month                             // Enum class, predefining and naming a dozen objects, one for each month of the year. 
.of( 12 )                         // Retrieving one of the enum objects by number, 1-12. 
.getDisplayName(
    TextStyle.FULL_STANDALONE , 
    Locale.CANADA_FRENCH          // Locale determines the human language and cultural norms used in localizing. 
)

java.time

由于Java 1.8(或带有ThreeTen-Backport的 1.7和1.6 ),您可以使用以下代码:

Month.of(integerMonth).getDisplayName(TextStyle.FULL_STANDALONE, locale);

请注意,它integerMonth是基于1的,即1表示一月。一月至十二月的范围始终为1到12(即仅限公历)。


假设您使用发布的方法将法语月份定为“弦乐月份”(法语中的“ May”是Mai),如何从此字符串中获得数字5?
usertest 2015年

@usertest我MonthDelocalizer我的答案中写了一个粗略的类,以Month从传递的本地化的月份名称字符串中获取一个对象:mai→Month.MAY。请注意,区分大小写很重要:在法语中,Mai无效,应为mai
罗勒·布尔克

现在是2019年。这不是最高答案吗?
anothernode

16

我会使用SimpleDateFormat。如果有更简单的方法可以制作月度日历,请有人纠正我,我现在在代码中执行此操作,但我不确定。

import java.text.DateFormat;
import java.text.SimpleDateFormat;
import java.util.Calendar;
import java.util.GregorianCalendar;


public String formatMonth(int month, Locale locale) {
    DateFormat formatter = new SimpleDateFormat("MMMM", locale);
    GregorianCalendar calendar = new GregorianCalendar();
    calendar.set(Calendar.DAY_OF_MONTH, 1);
    calendar.set(Calendar.MONTH, month-1);
    return formatter.format(calendar.getTime());
}

这些可怕的类现在是传统,以现代完全取代java.time在JSR 310中定义的类
罗勒布尔克

14

这就是我的做法。我将范围检查留给int month您。

import java.text.DateFormatSymbols;

public String formatMonth(int month, Locale locale) {
    DateFormatSymbols symbols = new DateFormatSymbols(locale);
    String[] monthNames = symbols.getMonths();
    return monthNames[month - 1];
}

12

使用SimpleDateFormat。

import java.text.SimpleDateFormat;

public String formatMonth(String month) {
    SimpleDateFormat monthParse = new SimpleDateFormat("MM");
    SimpleDateFormat monthDisplay = new SimpleDateFormat("MMMM");
    return monthDisplay.format(monthParse.parse(month));
}


formatMonth("2"); 

结果:二月


7

显然,在Android 2.2中,SimpleDateFormat存在一个错误。

为了使用月份名称,您必须在资源中自己定义它们:

<string-array name="month_names">
    <item>January</item>
    <item>February</item>
    <item>March</item>
    <item>April</item>
    <item>May</item>
    <item>June</item>
    <item>July</item>
    <item>August</item>
    <item>September</item>
    <item>October</item>
    <item>November</item>
    <item>December</item>
</string-array>

然后在您的代码中使用它们,如下所示:

/**
 * Get the month name of a Date. e.g. January for the Date 2011-01-01
 * 
 * @param date
 * @return e.g. "January"
 */
public static String getMonthName(Context context, Date date) {

    /*
     * Android 2.2 has a bug in SimpleDateFormat. Can't use "MMMM" for
     * getting the Month name for the given Locale. Thus relying on own
     * values from string resources
     */

    String result = "";

    Calendar cal = Calendar.getInstance();
    cal.setTime(date);
    int month = cal.get(Calendar.MONTH);

    try {
        result = context.getResources().getStringArray(R.array.month_names)[month];
    } catch (ArrayIndexOutOfBoundsException e) {
        result = Integer.toString(month);
    }

    return result;
}

“很明显,在Android 2.2中存在一个错误” —如果您可以链接到跟踪该错误的位置,将很有用。
彼得·霍尔

6

tl; dr

Month.of( yourMonthNumber )           // Represent a month by its number, 1-12 for January-December. 
  .getDisplayName(                    // Generate text of the name of the month automatically localized. 
      TextStyle.SHORT_STANDALONE ,    // Specify how long or abbreviated the name of month should be.
      new Locale( "es" , "MX" )       // Locale determines (a) the human language used in translation, and (b) the cultural norms used in deciding issues of abbreviation, capitalization, punctuation, and so on.
  )                                   // Returns a String.

java.time.Month

现在,用java.time类取代这些麻烦的旧旧日期时间类要容易得多。

Month枚举定义了十几个对象,每月一。

1月至12月的月份为1-12。

Month month = Month.of( 2 );  // 2 → February.

要求对象生成一个月名称的字符串,该字符串会自动本地化

调整TextStyle以指定您想要名称的长度或缩写。请注意,在某些语言(不是英语)中,月份名称(如果单独使用或作为完整日期的一部分使用)会有所不同。因此,每种文本样式都有一个…_STANDALONE变体。

指定一个Locale以确定:

  • 翻译中应使用哪种人类语言。
  • 哪种文化规范应决定缩写,标点和大写等问题。

例:

Locale l = new Locale( "es" , "MX" );
String output = Month.FEBRUARY.getDisplayName( TextStyle.SHORT_STANDALONE , l );  // Or Locale.US, Locale.CANADA_FRENCH. 

名称→ Month对象

仅供参考,Month没有内置(解析月份名称字符串以获取枚举对象)。您可以编写自己的课程。这是我对此类课程的快速尝试。使用风险自负。我没有认真思考也没有认真测试。

用法。

Month m = MonthDelocalizer.of( Locale.CANADA_FRENCH ).parse( "janvier" ) ;  // Month.JANUARY

码。

package com.basilbourque.example;

import org.jetbrains.annotations.NotNull;
import org.jetbrains.annotations.Nullable;

import java.time.Month;
import java.time.format.TextStyle;
import java.util.ArrayList;
import java.util.List;
import java.util.Locale;

// For a given name of month in some language, determine the matching `java.time.Month` enum object.
// This class is the opposite of `Month.getDisplayName` which generates a localized string for a given `Month` object.
// Usage… MonthDelocalizer.of( Locale.CANADA_FRENCH ).parse( "janvier" ) → Month.JANUARY
// Assumes `FormatStyle.FULL`, for names without abbreviation.
// About `java.time.Month` enum: https://docs.oracle.com/javase/9/docs/api/java/time/Month.html
// USE AT YOUR OWN RISK. Provided without guarantee or warranty. No serious testing or code review was performed.
public class MonthDelocalizer
{
    @NotNull
    private Locale locale;

    @NotNull
    private List < String > monthNames, monthNamesStandalone; // Some languages use an alternate spelling for a “standalone” month name used without the context of a date.

    // Constructor. Private, for static factory method.
    private MonthDelocalizer ( @NotNull Locale locale )
    {
        this.locale = locale;

        // Populate the pair of arrays, each having the translated month names.
        int countMonthsInYear = 12; // Twelve months in the year.
        this.monthNames = new ArrayList <>( countMonthsInYear );
        this.monthNamesStandalone = new ArrayList <>( countMonthsInYear );

        for ( int i = 1 ; i <= countMonthsInYear ; i++ )
        {
            this.monthNames.add( Month.of( i ).getDisplayName( TextStyle.FULL , this.locale ) );
            this.monthNamesStandalone.add( Month.of( i ).getDisplayName( TextStyle.FULL_STANDALONE , this.locale ) );
        }
//        System.out.println( this.monthNames );
//        System.out.println( this.monthNamesStandalone );
    }

    // Constructor. Private, for static factory method.
    // Personally, I think it unwise to default implicitly to a `Locale`. But I included this in case you disagree with me, and to follow the lead of the *java.time* classes. --Basil Bourque
    private MonthDelocalizer ( )
    {
        this( Locale.getDefault() );
    }

    // static factory method, instead of  constructors.
    // See article by Dr. Joshua Bloch. http://www.informit.com/articles/article.aspx?p=1216151
    // The `Locale` argument determines the human language and cultural norms used in de-localizing input strings.
    synchronized static public MonthDelocalizer of ( @NotNull Locale localeArg )
    {
        MonthDelocalizer x = new MonthDelocalizer( localeArg ); // This class could be optimized by caching this object.
        return x;
    }

    // Attempt to translate the name of a month to look-up a matching `Month` enum object.
    // Returns NULL if the passed String value is not found to be a valid name of month for the human language and cultural norms of the `Locale` specified when constructing this parent object, `MonthDelocalizer`.
    @Nullable
    public Month parse ( @NotNull String input )
    {
        int index = this.monthNames.indexOf( input );
        if ( - 1 == index )
        { // If no hit in the contextual names, try the standalone names.
            index = this.monthNamesStandalone.indexOf( input );
        }
        int ordinal = ( index + 1 );
        Month m = ( ordinal > 0 ) ? Month.of( ordinal ) : null;  // If we have a hit, determine the `Month` enum object. Else return null.
        if ( null == m )
        {
            throw new java.lang.IllegalArgumentException( "The passed month name: ‘" + input + "’ is not valid for locale: " + this.locale.toString() );
        }
        return m;
    }

    // `Object` class overrides.

    @Override
    public boolean equals ( Object o )
    {
        if ( this == o ) return true;
        if ( o == null || getClass() != o.getClass() ) return false;

        MonthDelocalizer that = ( MonthDelocalizer ) o;

        return locale.equals( that.locale );
    }

    @Override
    public int hashCode ( )
    {
        return locale.hashCode();
    }

    public static void main ( String[] args )
    {
        // Usage example:
        MonthDelocalizer monthDelocJapan = MonthDelocalizer.of( Locale.JAPAN );
        try
        {
            Month m = monthDelocJapan.parse( "pink elephant" ); // Invalid input.
        } catch ( IllegalArgumentException e )
        {
            // … handle error
            System.out.println( "ERROR: " + e.getLocalizedMessage() );
        }

        // Ignore exception. (not recommended)
        if ( MonthDelocalizer.of( Locale.CANADA_FRENCH ).parse( "janvier" ).equals( Month.JANUARY ) )
        {
            System.out.println( "GOOD - In locale "+Locale.CANADA_FRENCH+", the input ‘janvier’ parses to Month.JANUARY." );
        }
    }
}

关于java.time

java.time框架是建立在Java 8和更高版本。这些类取代麻烦的老传统日期时间类,如java.util.DateCalendar,和SimpleDateFormat

现在处于维护模式Joda-Time项目建议迁移到java.time类。

要了解更多信息,请参见Oracle教程。并在Stack Overflow中搜索许多示例和说明。规格为JSR 310

您可以直接与数据库交换java.time对象。使用与JDBC 4.2或更高版本兼容的JDBC驱动程序。不需要字符串,不需要类。java.sql.*

在哪里获取java.time类?

ThreeTen-额外项目与其他类扩展java.time。该项目为将来可能在java.time中添加内容提供了一个试验场。你可能在这里找到一些有用的类,比如IntervalYearWeekYearQuarter,和更多


1

当您使用DateFormatSymbols类的getMonthName方法获取按名称命名的月份时,在某些Android设备中按数字显示月份会出现问题。我已经通过以下方式解决了这个问题:

在String_array.xml中

<string-array name="year_month_name">
    <item>January</item>
    <item>February</item>
    <item>March</item>
    <item>April</item>
    <item>May</item>
    <item>June</item>
    <item>July</item>
    <item>August</item>
    <item>September</item>
    <item>October</item>
    <item>November</item>
    <item>December</item>
    </string-array>

在Java类中,可以这样调用该数组:

public String[] getYearMonthName() {
        return getResources().getStringArray(R.array.year_month_names);
        //or like 
       //return cntx.getResources().getStringArray(R.array.month_names);
    } 

      String[] months = getYearMonthName(); 
           if (i < months.length) {
            monthShow.setMonthName(months[i] + " " + year);

            }

快乐编码:)


1

Kotlin扩展

fun Int.toMonthName(): String {
    return DateFormatSymbols().months[this]
}

用法

calendar.get(Calendar.MONTH).toMonthName()

可怕的Calendar类被取代年前由java.time在JSR 310中定义的类
罗勒布尔克

0
    public static void main(String[] args) {
    SimpleDateFormat format = new SimpleDateFormat("MMMMM", new Locale("en", "US"));
    System.out.println(format.format(new Date()));
}

这似乎是正确的答案,但是您能解释您的工作以及为什么这样做吗?
马丁·弗兰克

我这样做是因为我认为简单而不复杂!
Diogo Oliveira

但是,它使用了臭名昭著的麻烦且过时的SimpleDateFormat类。
Ole VV

这些可怕的日期时间类被取代年前由java.time在JSR 310中定义的类
罗勒布尔克


0

尝试使用这种非常简单的方法,并像您自己的func一样调用它

public static String convertnumtocharmonths(int m){
         String charname=null;
         if(m==1){
             charname="Jan";
         }
         if(m==2){
             charname="Fev";
         }
         if(m==3){
             charname="Mar";
         }
         if(m==4){
             charname="Avr";
         }
         if(m==5){
             charname="Mai";
         }
         if(m==6){
             charname="Jun";
         }
         if(m==7){
             charname="Jul";
         }
         if(m==8){
             charname="Aou";
         }
         if(m==9){
             charname="Sep";
         }
         if(m==10){
             charname="Oct";
         }
         if(m==11){
             charname="Nov";
         }
         if(m==12){
             charname="Dec";
         }
         return charname;
     }

1
无需编写此类代码。Java具有内置功能Month::getDisplayName
罗勒·布尔克

无需编写此样板代码。检查上面发布的我的答案。
萨达·侯赛因
By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.