我正在尝试将特定的波斯日期转换为公历,但没有成功。我已经尝试过下面的代码,但出现编译器错误:


  DateTime不包含带有4个参数的构造函数。


using System.Globalization;

DateTime dt = new DateTime(year, month, day, new PersianCalendar());


我也尝试了下面的方法,但是我得到了传递给ConvertToGregorian函数的相同的波斯日期(以下代码中的obj),而不是公历:

public static DateTime ConvertToGregorian(this DateTime obj)
    {
        GregorianCalendar gregorian = new GregorianCalendar();
        int y = gregorian.GetYear(obj);
        int m = gregorian.GetMonth(obj);
        int d = gregorian.GetDayOfMonth(obj);
        DateTime gregorianDate = new DateTime(y, m, d);
        var result = gregorianDate.ToString(CultureInfo.InvariantCulture);
        DateTime dt = Convert.ToDateTime(result);
        return dt;
    }


请注意,我的CultureInfo.InvariantCulture是美国英语。

最佳答案

就像Clockwork-Muse所说的那样,DateTime不会维护对它转换后的日历的引用,也不应显示为该日历,因此,此信息必须在DateTime对象之外进行维护。这是一个示例解决方案:

using System;
using System.Globalization;
using System.IO;

namespace ConsoleApplication1
{
    class Program
    {
        static void Main(string[] args)
        {
            // Prepare to write the date and time data.
            string FileName = string.Format(@"C:\users\public\documents\{0}.txt", Guid.NewGuid());
            StreamWriter sw = new StreamWriter(FileName);

            //Create a Persian calendar class
            PersianCalendar pc = new PersianCalendar();

            // Create a date using the Persian calendar.
            DateTime wantedDate = pc.ToDateTime(1395, 4, 22, 12, 30, 0, 0);
            sw.WriteLine("Gregorian Calendar:  {0:O} ", wantedDate);
            sw.WriteLine("Persian Calendar:    {0}, {1}/{2}/{3} {4}:{5}:{6}\n",
                          pc.GetDayOfWeek(wantedDate),
                          pc.GetMonth(wantedDate),
                          pc.GetDayOfMonth(wantedDate),
                          pc.GetYear(wantedDate),
                          pc.GetHour(wantedDate),
                          pc.GetMinute(wantedDate),
                          pc.GetSecond(wantedDate));

            sw.Close();
        }
    }
}


结果是:

公历:2016-07-12T12:30:00.0000000

波斯日历:星期二,4/22/1395 12:30:0

读取格式规范“ O”时,格里高利结果缺少任何时区指示,这意味着DateTime的“种类”为“未指定”。如果原始海报知道并关心该日期与哪个时区相关联,则应进行调整。

10-05 21:20