如何正确读取军用时差?

时间:2016-09-04 04:20:20

标签: java

我正在尝试编写一个程序,在这个程序中,控制台告诉一个人两次之间的区别,没有IF语句,在"军事时间"或24小时的时间。到目前为止,我有:

import java.util.Scanner;

public class MilTimeDiff {

    public static void main(String[] args) {
        Scanner s = new Scanner(System.in);
        System.out.print("Enter the first time: ");
        String time1 = s.next();
        System.out.print("Enter the second time: ");
        String time2 = s.next();
        String tm1 = String.format("%02d", Integer.parseInt(time1));
        String tm2 = String.format("%02d", Integer.parseInt(time2));
        int t1 = Integer.parseInt(tm1);
        int t2 = Integer.parseInt(tm2);
        int difference = t2 - t1;
        while (t1 < t2) {
            String tmDif = Integer.toString(difference);
            System.out.println("The difference between times is " + tmDif.substring(0, 1) + " hours " +
                    tmDif.substring(1) + " minutes.");
            break;
        }
    }

}

但我有两个问题:一个:如果我的时间是0800,时间是两个1700,它给了我正确的9个小时。但如果差异是10小时或更长时间,它会给出1小时和很多分钟。我认为使用String.format方法会有所帮助,但它没有做任何事情。

二:我不确定如何处理时间1晚于时间2的情况。

谢谢!

1 个答案:

答案 0 :(得分:1)

您可以尝试下面的代码,这将给出军事格式的时差:

public static void main(String[] args) {
    Scanner s = new Scanner(System.in);
    System.out.print("Enter the first time: ");
    String time1 = s.next();
    System.out.print("Enter the second time: ");
    String time2 = s.next();
    String tm1 = String.format("%02d", Integer.parseInt(time1));
    String tm2 = String.format("%02d", Integer.parseInt(time2));

    String hrs1 = time1.substring(0, 2);
    String min1 = time1.substring(2, 4);
    String hrs2 = time2.substring(0, 2);
    String min2 = time2.substring(2, 4);

    // int difference = t2 - t1;
    if (Integer.parseInt(time1) < Integer.parseInt(time2)) {
        int minDiff = Integer.parseInt(min2) - Integer.parseInt(min1);
        int hrsDiff = Integer.parseInt(hrs2) - Integer.parseInt(hrs1);
        if (minDiff < 0) {
            minDiff += 60;
            hrsDiff--;
        }

        System.out.println("The difference between times is " + hrsDiff + " hours " + minDiff + " minutes.");

    } else {
        int minDiff = Integer.parseInt(min1) - Integer.parseInt(min2);
        int hrsDiff = Integer.parseInt(hrs1) - Integer.parseInt(hrs2);
        if (minDiff < 0) {
            minDiff += 60;
            hrsDiff--;
        }

        System.out.println("The difference between times is " + hrsDiff + " hours " + minDiff + " minutes.");

    }

}