timespan應用辦法詳解。本站提示廣大學習愛好者:(timespan應用辦法詳解)文章只能為提供參考,不一定能成為您想要的結果。以下是timespan應用辦法詳解正文
幾點主要的用法:
a 先來引見幾個辦法
TimeSpan.Minutes(其他時光好比天數,小時數,秒數都一樣的情形下獲得的分鐘數的差),其他的Hours,Second一樣
DateTime.Tick :是一個計時周期,表現一百納秒,即一萬萬分之一秒,那末 Ticks 在這裡表現總共相差若干個時光周期,即:9 * 24 * 3600 * 10000000 + 23 * 3600 * 10000000 + 59 * 60 * 10000000 + 59 * 10000000 = 8639990000000。3600 是一小時 的秒數
TimeSpan.TotalDays:兩個時光段相差的日數,其他的TotalHours,TotalMinutes,TotalSeconds 一樣
b 兩個時光的差
string time1 = "2010-5-26 8:10:00";
string time2 = "2010-5-26 18:20:00";
DateTime t1 = Convert.ToDateTime(time1);
DateTime t2 = Convert.ToDateTime(time2);
TimeSpan ts1=t2-t1;
string tsMin=ts1.Minutes.ToString();
TimeSpan ts11=new TimeSpan(t1.Tick);
TimeSpan ts22=new TimeSpan(t2.Tick);
string diff=ts22.Subtract(ts11).TotalMinutes.ToString();
Subtract:表現兩個時光段的差
diff:就表現兩個時光相差的分鐘數,下面的例子就是610分鐘。
獲得一個 TimeSpan 實例,TimeSpan 有一些屬性:Days、TotalDays、Hours、TotalHours、Minutes、TotalMinutes、Seconds、TotalSeconds、Ticks,留意沒有 TotalTicks。
這些屬性稱號開端懂得有些艱苦,但浏覽本文後,響應您必定恍然大悟。
舉例解釋
時光 1 是 2010-1-2 8:43:35;
時光 2 是 2010-1-12 8:43:34。
用時光 2 減時光 1,獲得一個 TimeSpan 實例。
那末時光 2 比時光 1 多 9 天 23 小時 59 分 59 秒。
那末,Days 就是 9,Hours 就是 23,Minutes 就是 59,Seconds 就是 59。
所以今後想曉得兩個時光段的差就輕易的多了
TimeSpan Format Helper
using System;
using System.Collections.Generic;
class TimeSpanUtility
{
public static string FormatString(TimeSpan aTimeSpan)
{
string newFormat = aTimeSpan.ToString("d'd 'h'h 'm'm 's's'");
// 1d 3h 43m 23s
return newFormat;
}
public static string TimeSpanInWords(TimeSpan aTimeSpan)
{
List<string> timeStrings = new List<string>();
int[] timeParts = new[] { aTimeSpan.Days, aTimeSpan.Hours, aTimeSpan.Minutes, aTimeSpan.Seconds };
string[] timeUnits = new[] { "day", "hour", "minute", "second" };
for (int i = 0; i < timeParts.Length; i++)
{
if (timeParts[i] > 0)
{
timeStrings.Add(string.Format("{0} {1}", timeParts[i], Pluralize(timeParts[i], timeUnits[i])));
}
}
return timeStrings.Count != 0 ? string.Join(", ", timeStrings.ToArray()) : "0 seconds";
}
private static string Pluralize(int n, string unit)
{
if (string.IsNullOrEmpty(unit)) return string.Empty;
n = Math.Abs(n); // -1 should be singular, too
return unit + (n == 1 ? string.Empty : "s");
}
}
public class Client
{
static void Main()
{
// 12 days, 23 hours, 24 minutes, 2 seconds.
TimeSpan span = new TimeSpan(12, 23, 24, 2);
Console.WriteLine(TimeSpanUtility.TimeSpanInWords(span)); // Output: 12 days, 23 hours, 24 minutes, 2 seconds
Console.WriteLine(TimeSpanUtility.FormatString(span)); // Output: 12d 23h 24m 2s
}
}