Time Conversion | Hacker Rank Solution in Java 7
Problem:
Given a time in -hour AM/PM format, convert it to military (24-hour) time.
Note: Midnight is 12:00:00AM on a 12-hour clock, and 00:00:00 on a 24-hour clock. Noon is 12:00:00PM on a 12-hour clock, and 12:00:00 on a 24-hour clock.
Solution:
import java.io.*;
import java.util.*;
public class Solution {
public static void main(String[] args) {
/* Enter your code here. Read input from STDIN. Print output to STDOUT. Your class should be named Solution. */
Scanner input = new Scanner(System.in);
String time = input.nextLine();
int hour = Integer.parseInt(time.substring(0,2));
int minute = Integer.parseInt(time.substring(3,5));
int second = Integer.parseInt(time.substring(6,8));
String meridiem = time.substring(8,10);
hour += ((meridiem.equals("PM") && hour != 12)?12:0);//Performs conversion based on current meridiem
hour -= ((meridiem.equals("AM") && hour == 12)?12:0);
System.out.println(String.format("%02d",hour) + ":" + String.format("%02d",minute) + ":" + String.format("%02d",second));
}
}
Comments
Post a Comment