In this Programme, you’ll learn how to Convert String to Date in Java using formatted.
Here In the below program, we will see how to convert Convert String to Date using predefined formatters
Program to Convert String to Date using predefined formatters
import java.time.LocalDate;
import java.time.format.DateTimeFormatter;
public class TimeString {
public static void main(String[] args) {
// Format y-M-d or yyyy-MM-d
String string = "2017-07-25";
LocalDate date = LocalDate.parse(string, DateTimeFormatter.ISO_DATE);
System.out.println(date);
}
}
When you run the program, the output will be:
2017-07-25
In the above program, we’ve used the predefined formatter ISO_DATE that takes date string in the format 2017-07-25 or 2017-07-25+05:45′.
The LocalDate’s parse() function parses the given string using the given formatter. You can also remove the ISO_DATE formatter in the above example and replace the parse() method with:
LocalDate date = LocalDate.parse(string, DateTimeFormatter);
Program to Convert String to Date using pattern formatters
import java.time.LocalDate;
import java.time.format.DateTimeFormatter;
import java.util.Locale;
public class TimeString {
public static void main(String[] args) {
String string = "July 25, 2017";
DateTimeFormatter formatter = DateTimeFormatter.ofPattern("MMMM d, yyyy", Locale.ENGLISH);
LocalDate date = LocalDate.parse(string, formatter);
System.out.println(date);
}
}
When you run the program, the output will be:
2017-07-25
In the above program, our date is in the format MMMM d, yyyy
. So, we create a formatter of the given pattern. Check all DateTimeFormatter patterns, if you’re interested.
Now, we can parse the date using LocalDate.parse()
function and get the LocalDate
object.
Related Program
- Java Program to Get Current Date/time
- Java Program to Convert Milliseconds to Minutes and Seconds
- Java Program to Calculate Standard Deviation
- Java Program to Check Armstrong Number
- Java Program to Calculate Average Using Arrays
- Java Program to search a number using linear search
- Java Program to reverse the Array
- Java Program for decimal to hexadecimal conversion
Ask your questions and clarify your/others doubts on how to Convert Strings to Date by commenting or Posting your Doubt on Forum. Documentation.