nullable DateTime dt2 를 형식이 지정된 문자열 로 어떻게 변환 할 수 있습니까?
DateTime dt = DateTime.Now;
Console.WriteLine(dt.ToString("yyyy-MM-dd hh:mm:ss")); //works
DateTime? dt2 = DateTime.Now;
Console.WriteLine(dt2.ToString("yyyy-MM-dd hh:mm:ss")); //gives following error:
메소드 ToString에 대한 과부하는 하나의 인수를 취하지 않습니다.
답변
Console.WriteLine(dt2 != null ? dt2.Value.ToString("yyyy-MM-dd hh:mm:ss") : "n/a");
편집 : 다른 의견에서 언급했듯이 null이 아닌 값이 있는지 확인하십시오.
업데이트 : 의견에서 권장하는 확장 방법 :
public static string ToString(this DateTime? dt, string format)
=> dt == null ? "n/a" : ((DateTime)dt).ToString(format);
그리고 C # 6부터는 null 조건부 연산자 를 사용하여 코드를 더욱 단순화 할 수 있습니다 . 아래 식은가 null 인 경우 null을 반환합니다 DateTime?
.
dt2?.ToString("yyyy-MM-dd hh:mm:ss")
답변
크기에 대해 이것을 시도하십시오 :
포맷하려는 실제 dateTime 객체는 dt2 객체 자체가 아니라 dt.Value 속성에 있습니다.
DateTime? dt2 = DateTime.Now;
Console.WriteLine(dt2.HasValue ? dt2.Value.ToString("yyyy-MM-dd hh:mm:ss") : "[N/A]");
답변
너희들은이 모든 것을 엔지니어링하고 실제로보다 복잡하게 만듭니다. 중요한 것은 ToString 사용을 중지하고 string.Format과 같은 문자열 형식을 사용하거나 Console.WriteLine과 같은 문자열 형식을 지원하는 메서드를 사용하십시오. 이 질문에 대한 바람직한 해결책은 다음과 같습니다. 이것은 또한 가장 안전합니다.
최신 정보:
오늘 C # 컴파일러의 최신 메소드로 예제를 업데이트합니다. 조건부 연산자 및 문자열 보간
DateTime? dt1 = DateTime.Now;
DateTime? dt2 = null;
Console.WriteLine("'{0:yyyy-MM-dd hh:mm:ss}'", dt1);
Console.WriteLine("'{0:yyyy-MM-dd hh:mm:ss}'", dt2);
// New C# 6 conditional operators (makes using .ToString safer if you must use it)
// https://docs.microsoft.com/en-us/dotnet/csharp/language-reference/operators/null-conditional-operators
Console.WriteLine(dt1?.ToString("yyyy-MM-dd hh:mm:ss"));
Console.WriteLine(dt2?.ToString("yyyy-MM-dd hh:mm:ss"));
// New C# 6 string interpolation
// https://docs.microsoft.com/en-us/dotnet/csharp/language-reference/tokens/interpolated
Console.WriteLine($"'{dt1:yyyy-MM-dd hh:mm:ss}'");
Console.WriteLine($"'{dt2:yyyy-MM-dd hh:mm:ss}'");
출력 : (작은 따옴표를 넣으면 null 일 때 빈 문자열로 돌아 오는 것을 볼 수 있습니다)
'2019-04-09 08:01:39'
''
2019-04-09 08:01:39
'2019-04-09 08:01:39'
''
답변
다른 사람들이 말했듯이 ToString을 호출하기 전에 null을 확인해야하지만 반복하지 않으려면 다음과 같은 확장 메서드를 만들 수 있습니다.
public static class DateTimeExtensions {
public static string ToStringOrDefault(this DateTime? source, string format, string defaultValue) {
if (source != null) {
return source.Value.ToString(format);
}
else {
return String.IsNullOrEmpty(defaultValue) ? String.Empty : defaultValue;
}
}
public static string ToStringOrDefault(this DateTime? source, string format) {
return ToStringOrDefault(source, format, null);
}
}
다음과 같이 호출 할 수 있습니다.
DateTime? dt = DateTime.Now;
dt.ToStringOrDefault("yyyy-MM-dd hh:mm:ss");
dt.ToStringOrDefault("yyyy-MM-dd hh:mm:ss", "n/a");
dt = null;
dt.ToStringOrDefault("yyyy-MM-dd hh:mm:ss", "n/a") //outputs 'n/a'
답변
C # 6.0 아기 :
dt2?.ToString("dd/MM/yyyy");
답변
이 질문에 대한 답변을 공식화 할 때의 문제점은 널 입력 가능 날짜 시간에 값이 없을 때 원하는 출력을 지정하지 않는다는 것입니다. 이 경우 다음 코드가 출력 DateTime.MinValue
되며 현재 허용되는 답변과 달리 예외가 발생하지 않습니다.
dt2.GetValueOrDefault().ToString(format);
답변
실제로 형식을 제공하고 싶다는 것을 알기 때문에 IFormattable 인터페이스를 Smalls 확장 메서드에 추가하여 그렇게 불쾌한 문자열 형식 연결을 사용하지 않는 것이 좋습니다.
public static string ToString<T>(this T? variable, string format, string nullValue = null)
where T: struct, IFormattable
{
return (variable.HasValue)
? variable.Value.ToString(format, null)
: nullValue; //variable was null so return this value instead
}
