如何在C#中将时间戳从24小时格式转换为12小时格式?

时间:2013-06-30 06:59:27

标签: c#

我想在24小时内将时间戳转换为12小时格式。这是我的代码,大括号中提到输出。

 date = Dyear + "" + Dmonth + "" + Dday + " " + strhour+""+strminute+""+"00"; (20130628 142900)
DateTime dt = new DateTime(Convert.ToInt32(Dyear), Convert.ToInt32(Dmonth), Convert.ToInt32(Dday), Convert.ToInt32(strhour), Convert.ToInt32(strminute), 00);(6/28/2013 2:29:00 PM)
TimeSpan ts = dt.Subtract(new DateTime(1970, 01, 01, 00, 00, 00));(15884.14:29:00)
String sTimeStamp = ts.TotalMilliseconds.ToString("0"); (1372429740000)

上述sTimeStamp将采用MM / DD / YYYY HH:MM:ttt格式(06/28/2013 19:59:000),如“1372429740”。                         我想以12小时格式显示时间戳,如MM / DD / YYYY hh:mm:ttt格式(06/28/2013 07:59:000),如“1372386540”

2 个答案:

答案 0 :(得分:0)

请记住,您引用的格式仅用于显示目的。如果你想在你的计算中考虑这个修改(把2改为14而不是14),就会出现12h的滞后。

如果您只想显示6/28/2013 2:29:00,可以使用以下字符串(计算的毫秒数不会受到影响):

string sTimeStamp = dt.ToString("MM/dd/yyyy hh:mm:ss tt");

如果您想要的是在计算时间内执行此更改(不确定执行此操作的原因),则必须修改dt生成的方式(此时,计算的milisenconds将是受影响:相对于上述选项延迟12小时):

DateTime dt = new DateTime(Convert.ToInt32(Dyear), Convert.ToInt32(Dmonth), Convert.ToInt32(Dday), Convert.ToInt32(new DateTime(2000, 1, 1, Convert.ToInt32(strhour), 0, 0).ToString("hh:mm tt").Split(':')[0]), Convert.ToInt32(strminute), 0);

在第二种情况下,dt将始终由于输入值的“12h理解”而形成;例如:如果strhour为2或14,它将占2(am)。

答案 1 :(得分:0)

    internal static string ConvertTo_12_Format(string str)
    {
        //using system function
        DateTime dt = DateTime.ParseExact(str, "HH:mm", System.Globalization.CultureInfo.InvariantCulture);
        string s = dt.ToString("hh:mm");


        //using logic
        StringBuilder sb = new StringBuilder();
        int h1 = (int)str[0] - '0';
        int h2 = (int)str[1] - '0';

        string Meridien;
        int hh = h1 * 10 + h2;

        if (hh < 12)
        {
            Meridien = "AM";
        }
        else
            Meridien = "PM";

        hh %= 12;
        int c1 = (int)str[3] - '0';
        int c2 = (int)str[4] - '0';

        if (hh == 0)
        {
            sb.Append("12:");
            //18:30
            // Printing minutes and seconds 
            sb.Append(c1.ToString() + c2.ToString());
        }
        else
        {
            if(hh < 10)
            {
                sb.Append("0" + hh + ":");
                sb.Append(c1.ToString() + c2.ToString());
            }else
            {
                sb.Append(hh + ":");
                sb.Append(c1.ToString() + c2.ToString());
            }
        }

        sb.Append(" "+Meridien);

        return sb.ToString();

    }