Convert between calendars

时光总嘲笑我的痴心妄想 提交于 2019-11-29 17:51:57

问题


How to convert between calendars? Here is what I have:

UmAlQuraCalendar hijri = new UmAlQuraCalendar();
GregorianCalendar cal = new GregorianCalendar();

DateTime hijriDate = new DateTime(1434, 11, 23, hijri);
DateTime gregorianDate = ...; //

I need a gregorianDate that corresponds to the hijriDate.


回答1:


It seems that the Date saved in DateTime is always in the current calendar. So if the current calendar is Gregorian hijriDate is already in Gregorian.

var hijriDate = new DateTime(1434, 11, 23, hijri);
//Console writeline will show 2013-09-29 00:00:00

If your current calendar is UmAlQuraCalendar you should be able to extract a Gregorian date using:

var hijri = new UmAlQuraCalendar();
var cal = new GregorianCalendar();

var hijriDate = new DateTime(1434, 11, 23, hijri);
var y = cal.GetYear(hijriDate), 
var m = cal.GetMonth(hijriDate), 
var d = cal.GetDayOfMonth(hijriDate)



回答2:


A DateTime can accept input in its constructor with an alternative calendar, but internally it is always stored using the Gregorian equivalent. So you already have what you are looking for.

Calendar umAlQura = new UmAlQuraCalendar();
DateTime dt = new DateTime(1434, 11, 23, umAlQura);

// As a string, it will format with whatever the calendar for the culture is.
Debug.WriteLine(dt.ToString("d", CultureInfo.InvariantCulture)); // 09/29/2013
Debug.WriteLine(dt.ToString("d", new CultureInfo("ar-SA")));     // 23/11/34

// But the individual integer properties are always Gregorian
Debug.WriteLine(dt.Year);  // 2013
Debug.WriteLine(dt.Month); // 9
Debug.WriteLine(dt.Day);   // 29

Going the other direction, you have to get the parts using the methods on the calendar object.

DateTime dt = new DateTime(2013, 9, 29);  // Gregorian

Calendar umAlQura = new UmAlQuraCalendar();

Debug.WriteLine(umAlQura.GetYear(dt));       // 1434
Debug.WriteLine(umAlQura.GetMonth(dt));      // 11
Debug.WriteLine(umAlQura.GetDayOfMonth(dt)); // 23



回答3:


As extension method

public static DateTime GregorianToUmAlQura(this DateTime gregorianDate)
{
    Calendar umAlQura = new UmAlQuraCalendar();

    return new DateTime(umAlQura.GetYear(gregorianDate), umAlQura.GetMonth(gregorianDate), umAlQura.GetDayOfMonth(gregorianDate), umAlQura);
}


来源:https://stackoverflow.com/questions/19075759/convert-between-calendars

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!