咨询区
Slider345:
我尝试将 C# 的 DateTime 转为 Unix 时间,但是 Unix 统计的是 1970.1.1
到现在的秒数,貌似 DateTime
统计的是 0001.1.1
到现在的 ticks 数。
我目前能想到的是从现在减去 1970.1.1
从而获取 totalSeconds ,比如下面代码:
TimeSpan span= DateTime.Now.Subtract(new DateTime(1970,1,1,0,0,0));
return span.TotalSeconds;
请问是否有更好的解决办法?
回答区
Dave Swersky:
其实这个很好实现,我大概有两种解决方案。
自己实现将 DateTime 转成 UnixTime。
public static DateTime ConvertFromUnixTimestamp(double timestamp)
{DateTime origin = new DateTime(1970, 1, 1, 0, 0, 0, 0, DateTimeKind.Utc);return origin.AddSeconds(timestamp);
}public static double ConvertToUnixTimestamp(DateTime date)
{DateTime origin = new DateTime(1970, 1, 1, 0, 0, 0, 0, DateTimeKind.Utc);TimeSpan diff = date.ToUniversalTime() - origin;return Math.Floor(diff.TotalSeconds);
}
使用内置函数
如果你的项目是基于 .NET Core 2.1
或者 .NET Standard 2.1
之上的话,DateTime 提供了一个 UnixEpoch 属性,它就表示 1970.1.1
。
public readonly struct DateTime : IComparable, IComparable<DateTime>, IConvertible, IEquatable<DateTime>, IFormattable, ISerializable{//// Summary:// The value of this constant is equivalent to 00:00:00.0000000 UTC, January 1,// 1970, in the Gregorian calendar. System.DateTime.UnixEpoch defines the point// in time when Unix time is equal to 0.public static readonly DateTime UnixEpoch;}
codeMonkey:
如果你运行程序的电脑的时区没有问题的话,建议用 DateTimeOffset
替代 DateTime
, 这个类下有一个 ToUnixTimeSeconds()
方法,就是用来获取 1970-01-01T00:00:00Z
到现在的秒数,参考如下代码:
static void Main(string[] args){long unixSeconds = DateTimeOffset.Now.ToUnixTimeSeconds();Console.WriteLine(unixSeconds);}
顺便提一下,上面这种方式只适合 .NET Framework 4.6
以上的版本,如果你的项目版本太低的话,那还是需要手工指定一下,比如下面这样。
public static void Main(){TimeSpan span = DateTime.Now.Subtract(new DateTime(1970, 1, 1, 0, 0, 0, DateTimeKind.Utc));Console.WriteLine(span.TotalSeconds);}
更多细节可参考MSDN:https://docs.microsoft.com/en-us/dotnet/api/system.datetimeoffset.tounixtimeseconds?redirectedfrom=MSDN&view=net-5.0#System_DateTimeOffset_ToUnixTimeSeconds
点评区
记得当年和 PHP 开发的程序对接口时,就经常会遇到这种 UnixTime 的问题,没想到有这么多解法,学习了。