Javaで整数をローカライズされた月名に変換するにはどうすればよいですか?


99

整数を取得し、さまざまなロケールで月の名前に変換する必要があります。

ロケールen-usの例:
1-> 1月
2-> 2月

ロケールes-mxの例:
1-> Enero
2-> Febrero


5
Javaの月はゼロベースなので、0 = 1月、1 = 2月など
Nick Holt

あなたが正しいので、言語を変更する必要がある場合は、ロケールを変更する必要があります。おかげで
atomsfat

2
@NickHolt 更新最新のjava.timeMonth列挙型は1から始まります(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 Calendar`の同上は、クレイジーな番号付けスキームを持っています。従来のクラスを回避する多くの理由の1つで、現在は完全にjava.timeクラスに取って代わられています。
バジルブルク2018年

回答:


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

12
配列はゼロベースなので、「month-1」は必要ありませんか?atomsfatは1-> 1月などを望んでいます
Brian Agnew

7
彼は月1を必要とします。これは、月が0ベースの配列位置に変換する必要がある1ベースの月の番号だからです
Sam Barnum

5
public String getMonth(int month、Locale locale){return DateFormatSymbols.getInstance(locale).getMonths()[month-1]; }
atomsfat 09年

4
は必要としますmonth-1。使用している人なら誰でもCalendar.get(Calendar.MONTH)必要ですmonth
Ron

1
DateFormatSymbolsの実装がJDK 8で変更されたため、getMonthsメソッドがすべてのロケールの正しい値を返さなくなりました。oracle.com
technetwork

33

スタンドアロンの月の名前にはLLLLを使用する必要があります。これは次のようなドキュメントに記載されていSimpleDateFormatます。

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

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

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

integerMonth1ベースでは、すなわち1年1月のためです。1月から12月の範囲は常に1〜12です(つまり、グレゴリオ暦のみ)。


あなたが投稿した方法を使用してフランス語の5月の文字列月(フランスで5月はMai)があるとしましょう。この文字列から5を取得するにはどうすればよいですか?
usertest

@usertest 渡されたローカライズされた月の名前の文字列からオブジェクトを取得するために、私はAnswerMonthDelocalizerでラフドラフトクラスを記述しました:→Month.MAY。大文字と小文字の区別が問題になることに注意してください。フランス語では、は無効であり、にする必要があります。MonthmaiMaimai
バジルブルク2018年

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

結果: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にはバグがあります」 —バグが追跡されている場所にリンクできると便利です。
Peter Hall

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を定義します。

1月から12月は、月に1〜12の番号が付けられます。

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

自動的にローカライズされた、月名前の文字列を生成するようにオブジェクトに要求します。

を調整しTextStyleて、名前が必要な期間または省略形を指定します。一部の言語(英語ではない)では、月の名前は、単独で使用する場合も、完全な日付の一部として使用する場合も異なります。したがって、各テキストスタイルには…_STANDALONEバリアントがあります。

Locale決定するa を指定します。

  • 翻訳で使用する人間の言語。
  • 省略、句読点、大文字の使用などの問題を決定する文化的規範。

例:

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

名前→ Monthオブジェクト

参考までに、反対方向(月の名前の文字列を解析してMonthenumオブジェクトを取得する)は組み込まれていません。そのために独自のクラスを書くことができます。これは、そのようなクラスでの私の迅速な試みです。自己責任で使用してください。私はこのコードに真剣な考えや真剣なテストを一切しませんでした。

使用法。

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

ジョダタイムプロジェクトは、今でメンテナンスモードへの移行をアドバイスjava.timeのクラス。

詳細については、Oracleチュートリアルを参照してください。また、スタックオーバーフローで多くの例と説明を検索してください。仕様はJSR 310です。

java.timeオブジェクトをデータベースと直接交換することができます。JDBC 4.2以降に準拠したJDBCドライバーを使用します。文字列もクラスも必要ありません。java.sql.*

java.timeクラスはどこで入手できますか?

  • Java SE 8 Java SE 9以降
    • 内蔵。
    • 実装がバンドルされた標準Java APIの一部。
    • Java 9では、いくつかのマイナーな機能と修正が追加されています。
  • Java SE 6および Java SE 7
    • java.time機能の多くはThreeTen-BackportでJava 6&7にバックポートされています。
  • アンドロイド
    • それ以降のバージョンのAndroidには、java.timeクラスの実装がバンドルされています。
    • 以前のAndroid(<26)では、ThreeTenABPプロジェクトはThreeTen-Backport(上記)を採用しています。ThreeTenABPの使用方法…を参照してください。

ThreeTen-エクストラプロジェクトでは、追加のクラスでjava.timeを拡張します。このプロジェクトは、java.timeに将来追加される可能性があることを証明する場です。あなたはここにいくつかの有用なクラスのような見つけることがIntervalYearWeekYearQuarter、および多くを


1

一部のAndroidデバイスでは、そのgetMonthNameメソッドにDateFormatSymbolsクラスを使用してMonth by Nameを取得すると、Month by Numberが表示されるという問題があります。私はこの方法でこの問題を解決しました:

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

これは適切な答えのように見えますが、あなたが何をし、なぜあなたがこのようにそれをするのか説明できますか?
Martin Frank

私は単純で複雑ではないと思うので、私はこのようにします!
ディオゴオリベイラ

SimpleDateFormatただし、この方法は、厄介で長く古くなったクラスを使用しています。
Ole VV

これらの恐ろしい日時のクラスはで年前に取って代わられたjava.timeの JSR 310で定義されたクラス
バジルボーク

0

行を挿入するだけ

DateFormatSymbols.getInstance().getMonths()[view.getMonth()] 

トリックを行います。


2
DateFormatSymbolsJSR 310の採用時点で、現在はレガシーとなっている恐ろしい日時クラスの一部です。java.timeクラスに取って代わられました。2019年にそれらを使用することを提案することはあまりお勧めできません。
バジルブルク

この回答は、承認された回答の内容を複製します。
バジルブルク

0

これを非常に簡単な方法で使用して、独自の関数のように呼び出してください

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ます。
バジルブルク

このボイラープレートコードを記述する必要はありません。上記の私の回答を確認してください。
サダフセイン
弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.