.NET에서 시간 전용 값을 어떻게 표시합니까?
.NET에서 날짜 없이 시간만 표시할 수 있는 방법이 있습니까?예를 들어 상점의 개점 시간을 나타내는 것은?
TimeSpan
시간 값만 저장하려는 경우 범위를 나타냅니다.사용.DateTime
이것이 새로운 결과를 초래할 것임을 나타냅니다.DateTime(1,1,1,8,30,0)
그것은 정말 바람직하지 않습니다.
시간 범위를 사용할 수 있습니다.
TimeSpan timeSpan = new TimeSpan(2, 14, 18);
Console.WriteLine(timeSpan.ToString()); // Displays "02:14:18".
[편집]
다른 답변과 질문에 대한 편집을 고려할 때, 저는 여전히 TimeSpan을 사용할 것입니다.프레임워크에서 기존 구조만 있으면 되는 새 구조를 만드는 것은 의미가 없습니다.
이러한 라인에서 많은 네이티브 데이터 유형을 복제하게 됩니다.
다른 사람들이 말했듯이, 당신은 다음을 사용할 수 있습니다.DateTime
그리고 날짜를 무시하거나 사용합니다.TimeSpan
개인적으로 저는 이 두 가지 솔루션 중 어느 것도 당신이 나타내려는 개념을 실제로 반영하지 않기 때문에 별로 좋아하지 않습니다. 저는 .NET의 날짜/시간 유형이 드문 편이라고 생각합니다. 이것이 제가 Noda Time을 시작한 이유 중 하나입니다.노다 시간에서 다음을 사용할 수 있습니다.LocalTime
시간을 나타내는 유형입니다.
.NET 6 기준으로 Noda Time과 거의 동등한 유형과 유형이 있습니다.LocalTime
그리고.LocalDate
종류들.
한 가지 고려해야 할 것은 하루 중 시간이 반드시 같은 날 자정 이후의 시간은 아니라는 점입니다.
(다른 예로, 상점의 마감 시간을 표시하려는 경우 24:00을 표시할 수 있습니다. 즉, 퇴근 시간을 표시할 수 있습니다.Noda Time을 포함한 대부분의 날짜/시간 API는 Time-of-Day 값으로 표시할 수 없습니다.)
만약 그것이 비어있다면,Date
정말 당신을 괴롭힙니다, 당신은 또한 더 간단한 것을 만들 수 있습니다.Time
구조:
// more work is required to make this even close to production ready
class Time
{
// TODO: don't forget to add validation
public int Hours { get; set; }
public int Minutes { get; set; }
public int Seconds { get; set; }
public override string ToString()
{
return String.Format(
"{0:00}:{1:00}:{2:00}",
this.Hours, this.Minutes, this.Seconds);
}
}
또는, 번거로운 이유: 해당 정보로 계산할 필요가 없는 경우 다음과 같이 저장합니다.String
.
날짜 시간을 사용합니다.날짜 부분이 필요하지 않으면 무시하십시오.사용자에게 시간만 표시해야 하는 경우 다음과 같이 형식을 지정하여 사용자를 사용자에게 출력합니다.
DateTime.Now.ToString("t"); // outputs 10:00 PM
새로운 수업을 만들거나 심지어 시간 범위를 사용하는 모든 추가적인 일은 불필요한 것처럼 보입니다.
루벤스의 수업은 기본적인 검증으로 불변의 시간 수업 샘플을 만드는 것이 좋은 생각이라고 생각합니다.
class Time
{
public int Hours { get; private set; }
public int Minutes { get; private set; }
public int Seconds { get; private set; }
public Time(uint h, uint m, uint s)
{
if(h > 23 || m > 59 || s > 59)
{
throw new ArgumentException("Invalid time specified");
}
Hours = (int)h; Minutes = (int)m; Seconds = (int)s;
}
public Time(DateTime dt)
{
Hours = dt.Hour;
Minutes = dt.Minute;
Seconds = dt.Second;
}
public override string ToString()
{
return String.Format(
"{0:00}:{1:00}:{2:00}",
this.Hours, this.Minutes, this.Seconds);
}
}
치부제 오파타 외에도:
class Time
{
public int Hours { get; private set; }
public int Minutes { get; private set; }
public int Seconds { get; private set; }
public Time(uint h, uint m, uint s)
{
if(h > 23 || m > 59 || s > 59)
{
throw new ArgumentException("Invalid time specified");
}
Hours = (int)h; Minutes = (int)m; Seconds = (int)s;
}
public Time(DateTime dt)
{
Hours = dt.Hour;
Minutes = dt.Minute;
Seconds = dt.Second;
}
public override string ToString()
{
return String.Format(
"{0:00}:{1:00}:{2:00}",
this.Hours, this.Minutes, this.Seconds);
}
public void AddHours(uint h)
{
this.Hours += (int)h;
}
public void AddMinutes(uint m)
{
this.Minutes += (int)m;
while(this.Minutes > 59)
this.Minutes -= 60;
this.AddHours(1);
}
public void AddSeconds(uint s)
{
this.Seconds += (int)s;
while(this.Seconds > 59)
this.Seconds -= 60;
this.AddMinutes(1);
}
}
다음은 Time Of Day의 전체 기능 클래스입니다.
단순한 경우에는 과잉 살상이지만 저처럼 고급 기능이 필요하다면 도움이 될 수도 있습니다.
코너 케이스, 일부 기본 수학, 비교, DateTime과의 상호 작용, 구문 분석 등을 처리할 수 있습니다.
다음은 Time Of Day 클래스의 소스 코드입니다.사용 예를 확인하고 자세한 내용은 여기에서 확인할 수 있습니다.
이 클래스는 DateTime에 이미 포함된 모든 지식을 활용할 수 있도록 대부분의 내부 계산 및 비교에 DateTime을 사용합니다.
// Author: Steve Lautenschlager, CambiaResearch.com
// License: MIT
using System;
using System.Text.RegularExpressions;
namespace Cambia
{
public class TimeOfDay
{
private const int MINUTES_PER_DAY = 60 * 24;
private const int SECONDS_PER_DAY = SECONDS_PER_HOUR * 24;
private const int SECONDS_PER_HOUR = 3600;
private static Regex _TodRegex = new Regex(@"\d?\d:\d\d:\d\d|\d?\d:\d\d");
public TimeOfDay()
{
Init(0, 0, 0);
}
public TimeOfDay(int hour, int minute, int second = 0)
{
Init(hour, minute, second);
}
public TimeOfDay(int hhmmss)
{
Init(hhmmss);
}
public TimeOfDay(DateTime dt)
{
Init(dt);
}
public TimeOfDay(TimeOfDay td)
{
Init(td.Hour, td.Minute, td.Second);
}
public int HHMMSS
{
get
{
return Hour * 10000 + Minute * 100 + Second;
}
}
public int Hour { get; private set; }
public int Minute { get; private set; }
public int Second { get; private set; }
public double TotalDays
{
get
{
return TotalSeconds / (24d * SECONDS_PER_HOUR);
}
}
public double TotalHours
{
get
{
return TotalSeconds / (1d * SECONDS_PER_HOUR);
}
}
public double TotalMinutes
{
get
{
return TotalSeconds / 60d;
}
}
public int TotalSeconds
{
get
{
return Hour * 3600 + Minute * 60 + Second;
}
}
public bool Equals(TimeOfDay other)
{
if (other == null) { return false; }
return TotalSeconds == other.TotalSeconds;
}
public override bool Equals(object obj)
{
if (obj == null) { return false; }
TimeOfDay td = obj as TimeOfDay;
if (td == null) { return false; }
else { return Equals(td); }
}
public override int GetHashCode()
{
return TotalSeconds;
}
public DateTime ToDateTime(DateTime dt)
{
return new DateTime(dt.Year, dt.Month, dt.Day, Hour, Minute, Second);
}
public override string ToString()
{
return ToString("HH:mm:ss");
}
public string ToString(string format)
{
DateTime now = DateTime.Now;
DateTime dt = new DateTime(now.Year, now.Month, now.Day, Hour, Minute, Second);
return dt.ToString(format);
}
public TimeSpan ToTimeSpan()
{
return new TimeSpan(Hour, Minute, Second);
}
public DateTime ToToday()
{
var now = DateTime.Now;
return new DateTime(now.Year, now.Month, now.Day, Hour, Minute, Second);
}
#region -- Static --
public static TimeOfDay Midnight { get { return new TimeOfDay(0, 0, 0); } }
public static TimeOfDay Noon { get { return new TimeOfDay(12, 0, 0); } }
public static TimeOfDay operator -(TimeOfDay t1, TimeOfDay t2)
{
DateTime now = DateTime.Now;
DateTime dt1 = new DateTime(now.Year, now.Month, now.Day, t1.Hour, t1.Minute, t1.Second);
TimeSpan ts = new TimeSpan(t2.Hour, t2.Minute, t2.Second);
DateTime dt2 = dt1 - ts;
return new TimeOfDay(dt2);
}
public static bool operator !=(TimeOfDay t1, TimeOfDay t2)
{
if (ReferenceEquals(t1, t2)) { return true; }
else if (ReferenceEquals(t1, null)) { return true; }
else
{
return t1.TotalSeconds != t2.TotalSeconds;
}
}
public static bool operator !=(TimeOfDay t1, DateTime dt2)
{
if (ReferenceEquals(t1, null)) { return false; }
DateTime dt1 = new DateTime(dt2.Year, dt2.Month, dt2.Day, t1.Hour, t1.Minute, t1.Second);
return dt1 != dt2;
}
public static bool operator !=(DateTime dt1, TimeOfDay t2)
{
if (ReferenceEquals(t2, null)) { return false; }
DateTime dt2 = new DateTime(dt1.Year, dt1.Month, dt1.Day, t2.Hour, t2.Minute, t2.Second);
return dt1 != dt2;
}
public static TimeOfDay operator +(TimeOfDay t1, TimeOfDay t2)
{
DateTime now = DateTime.Now;
DateTime dt1 = new DateTime(now.Year, now.Month, now.Day, t1.Hour, t1.Minute, t1.Second);
TimeSpan ts = new TimeSpan(t2.Hour, t2.Minute, t2.Second);
DateTime dt2 = dt1 + ts;
return new TimeOfDay(dt2);
}
public static bool operator <(TimeOfDay t1, TimeOfDay t2)
{
if (ReferenceEquals(t1, t2)) { return true; }
else if (ReferenceEquals(t1, null)) { return true; }
else
{
return t1.TotalSeconds < t2.TotalSeconds;
}
}
public static bool operator <(TimeOfDay t1, DateTime dt2)
{
if (ReferenceEquals(t1, null)) { return false; }
DateTime dt1 = new DateTime(dt2.Year, dt2.Month, dt2.Day, t1.Hour, t1.Minute, t1.Second);
return dt1 < dt2;
}
public static bool operator <(DateTime dt1, TimeOfDay t2)
{
if (ReferenceEquals(t2, null)) { return false; }
DateTime dt2 = new DateTime(dt1.Year, dt1.Month, dt1.Day, t2.Hour, t2.Minute, t2.Second);
return dt1 < dt2;
}
public static bool operator <=(TimeOfDay t1, TimeOfDay t2)
{
if (ReferenceEquals(t1, t2)) { return true; }
else if (ReferenceEquals(t1, null)) { return true; }
else
{
if (t1 == t2) { return true; }
return t1.TotalSeconds <= t2.TotalSeconds;
}
}
public static bool operator <=(TimeOfDay t1, DateTime dt2)
{
if (ReferenceEquals(t1, null)) { return false; }
DateTime dt1 = new DateTime(dt2.Year, dt2.Month, dt2.Day, t1.Hour, t1.Minute, t1.Second);
return dt1 <= dt2;
}
public static bool operator <=(DateTime dt1, TimeOfDay t2)
{
if (ReferenceEquals(t2, null)) { return false; }
DateTime dt2 = new DateTime(dt1.Year, dt1.Month, dt1.Day, t2.Hour, t2.Minute, t2.Second);
return dt1 <= dt2;
}
public static bool operator ==(TimeOfDay t1, TimeOfDay t2)
{
if (ReferenceEquals(t1, t2)) { return true; }
else if (ReferenceEquals(t1, null)) { return true; }
else { return t1.Equals(t2); }
}
public static bool operator ==(TimeOfDay t1, DateTime dt2)
{
if (ReferenceEquals(t1, null)) { return false; }
DateTime dt1 = new DateTime(dt2.Year, dt2.Month, dt2.Day, t1.Hour, t1.Minute, t1.Second);
return dt1 == dt2;
}
public static bool operator ==(DateTime dt1, TimeOfDay t2)
{
if (ReferenceEquals(t2, null)) { return false; }
DateTime dt2 = new DateTime(dt1.Year, dt1.Month, dt1.Day, t2.Hour, t2.Minute, t2.Second);
return dt1 == dt2;
}
public static bool operator >(TimeOfDay t1, TimeOfDay t2)
{
if (ReferenceEquals(t1, t2)) { return true; }
else if (ReferenceEquals(t1, null)) { return true; }
else
{
return t1.TotalSeconds > t2.TotalSeconds;
}
}
public static bool operator >(TimeOfDay t1, DateTime dt2)
{
if (ReferenceEquals(t1, null)) { return false; }
DateTime dt1 = new DateTime(dt2.Year, dt2.Month, dt2.Day, t1.Hour, t1.Minute, t1.Second);
return dt1 > dt2;
}
public static bool operator >(DateTime dt1, TimeOfDay t2)
{
if (ReferenceEquals(t2, null)) { return false; }
DateTime dt2 = new DateTime(dt1.Year, dt1.Month, dt1.Day, t2.Hour, t2.Minute, t2.Second);
return dt1 > dt2;
}
public static bool operator >=(TimeOfDay t1, TimeOfDay t2)
{
if (ReferenceEquals(t1, t2)) { return true; }
else if (ReferenceEquals(t1, null)) { return true; }
else
{
return t1.TotalSeconds >= t2.TotalSeconds;
}
}
public static bool operator >=(TimeOfDay t1, DateTime dt2)
{
if (ReferenceEquals(t1, null)) { return false; }
DateTime dt1 = new DateTime(dt2.Year, dt2.Month, dt2.Day, t1.Hour, t1.Minute, t1.Second);
return dt1 >= dt2;
}
public static bool operator >=(DateTime dt1, TimeOfDay t2)
{
if (ReferenceEquals(t2, null)) { return false; }
DateTime dt2 = new DateTime(dt1.Year, dt1.Month, dt1.Day, t2.Hour, t2.Minute, t2.Second);
return dt1 >= dt2;
}
/// <summary>
/// Input examples:
/// 14:21:17 (2pm 21min 17sec)
/// 02:15 (2am 15min 0sec)
/// 2:15 (2am 15min 0sec)
/// 2/1/2017 14:21 (2pm 21min 0sec)
/// TimeOfDay=15:13:12 (3pm 13min 12sec)
/// </summary>
public static TimeOfDay Parse(string s)
{
// We will parse any section of the text that matches this
// pattern: dd:dd or dd:dd:dd where the first doublet can
// be one or two digits for the hour. But minute and second
// must be two digits.
Match m = _TodRegex.Match(s);
string text = m.Value;
string[] fields = text.Split(':');
if (fields.Length < 2) { throw new ArgumentException("No valid time of day pattern found in input text"); }
int hour = Convert.ToInt32(fields[0]);
int min = Convert.ToInt32(fields[1]);
int sec = fields.Length > 2 ? Convert.ToInt32(fields[2]) : 0;
return new TimeOfDay(hour, min, sec);
}
#endregion
private void Init(int hour, int minute, int second)
{
if (hour < 0 || hour > 23) { throw new ArgumentException("Invalid hour, must be from 0 to 23."); }
if (minute < 0 || minute > 59) { throw new ArgumentException("Invalid minute, must be from 0 to 59."); }
if (second < 0 || second > 59) { throw new ArgumentException("Invalid second, must be from 0 to 59."); }
Hour = hour;
Minute = minute;
Second = second;
}
private void Init(int hhmmss)
{
int hour = hhmmss / 10000;
int min = (hhmmss - hour * 10000) / 100;
int sec = (hhmmss - hour * 10000 - min * 100);
Init(hour, min, sec);
}
private void Init(DateTime dt)
{
Init(dt.Hour, dt.Minute, dt.Second);
}
}
}
TimeOnly date = TimeOnly.FromDateTime(DateTime.Now);
A System.TimeOfDay
은 최근 .6.type 되었습니다.
https://github.com/dotnet/runtime/issues/49036 을 참조하십시오.
완료되면 특정 날짜 또는 표준 시간대와 연결되지 않은 시간 값을 나타내는 기본 방법이 됩니다.
System.TimeSpan
경과된 시간 값을 나타내는 권장 방법입니다.
DateTime 또는 TimeSpan을 사용하지 않고 하루 중 시간만 저장하려는 경우 자정 이후의 초를 Int32에 저장하거나 자정 이후의 분을 Int16에 저장할 수 있습니다.이러한 값에서 Hour, Minute 및 Second에 액세스하는 데 필요한 몇 가지 메서드를 쓰는 것은 사소한 일입니다.
DateTime/TimeSpan을 피할 수 있는 유일한 이유는 구조물의 크기가 중요하다는 것입니다.
(물론 클래스에 포함된 위와 같은 간단한 구성표를 사용하는 경우, 갑자기 스토리지를 TimeSpan으로 교체하는 것이 유리하다는 것을 알게 되면 나중에 스토리지를 TimeSpan으로 교체하는 것도 사소한 일이 될 수 있습니다.)
검증 제약 조건을 사용할 수 있습니다.
[DataType(DataType.Time)]
public DateTime OpeningTime { get; set; }
언급URL : https://stackoverflow.com/questions/2037283/how-do-i-represent-a-time-only-value-in-net
'source' 카테고리의 다른 글
PostgreSQL에서 테이블을 만들 때 열에 주석을 추가하시겠습니까? (0) | 2023.05.17 |
---|---|
왜 파이썬 3.4에 비해 파이썬 3.5에서 str.translate가 훨씬 빠릅니까? (0) | 2023.05.17 |
포맷 시간 범위가 24시간보다 큼 (0) | 2023.05.17 |
iOS11/Xcode 9에서 TIC 읽기 상태 1:57은 무엇입니까? (0) | 2023.05.17 |
#c#에서 디버그가 아닌 경우? (0) | 2023.05.17 |