Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Need to get String month as an int

Tags:

java

I'm passing "Jan", "Feb" etc... as integers to the database I need to be passing 1-12 for the corresponding months, but I'm getting 0-11 from Calendar

This is how Im doing it, please help me tweak this to get the months as 1-12 instead as 0-11

//Get month as an integer.
Date date = new SimpleDateFormat("MMM", Locale.ENGLISH).parse(stringMonth);
Calendar cal = Calendar.getInstance();
cal.setTime(date);
int month = cal.get(Calendar.MONTH);
System.out.println("month ==" + month);
like image 592
Doc Holiday Avatar asked Sep 19 '25 13:09

Doc Holiday


2 Answers

  int month = cal.get(Calendar.MONTH) + 1;

Calendar's month is 0-indexed (Jan = 0). As odd as the above code seems, it is commonly seen in Java because of the rather odd indexing of months in Calendar.

This post has a discussion of this topic: Why is January month 0 in Java Calendar

like image 56
John B Avatar answered Sep 21 '25 02:09

John B


Either change:

int month = cal.get(Calendar.MONTH) + 1;

or

System.out.println("month ==" + (month) + 1) ;

(but don't do them both!)

This adds an "offset" of 1 to your month's represented by int, thus shifting it from 0-11 to 1-12 =)

like image 35
sampson-chen Avatar answered Sep 21 '25 04:09

sampson-chen