سؤال

نظرا DateTime يمثل عيد ميلاد الشخص, كيف يمكنني حساب العمر في سنوات ؟

هل كانت مفيدة؟

المحلول

سهلة الفهم و الحل بسيط.

// Save today's date.
var today = DateTime.Today;
// Calculate the age.
var age = today.Year - birthdate.Year;
// Go back to the year the person was born in case of a leap year
if (birthdate.Date > today.AddYears(-age)) age--;

إلا أن هذا يفترض كنت تبحث عن الغربية فكرة من العمر ، شرق آسيا الحساب.

نصائح أخرى

هذه طريقة غريبة للقيام بذلك ، ولكن إذا تنسيق التاريخ yyyymmdd وطرح تاريخ الميلاد من التاريخ الحالي ثم إسقاط آخر 4 أرقام لديك العمر :)

أنا لا أعرف C#, ولكن أعتقد أن هذا سوف تعمل في أي لغة.

20080814 - 19800703 = 280111 

انخفاض آخر 4 أرقام = 28.

C# كود:

int now = int.Parse(DateTime.Now.ToString("yyyyMMdd"));
int dob = int.Parse(dateOfBirth.ToString("yyyyMMdd"));
int age = (now - dob) / 10000;

أو بدلا من ذلك دون كل نوع التحويل في شكل طريقة التمديد.التحقق من الخطأ حذف:

public static Int32 GetAge(this DateTime dateOfBirth)
{
    var today = DateTime.Today;

    var a = (today.Year * 100 + today.Month) * 100 + today.Day;
    var b = (dateOfBirth.Year * 100 + dateOfBirth.Month) * 100 + dateOfBirth.Day;

    return (a - b) / 10000;
}

أنا لا أعرف كيفية حل الخطأ يمكن أن يكون مقبولا.الصحيح C# مقتطف كتبه مايكل Stum

هنا هو اختبار مقتطف:

DateTime bDay = new DateTime(2000, 2, 29);
DateTime now = new DateTime(2009, 2, 28);
MessageBox.Show(string.Format("Test {0} {1} {2}",
                CalculateAgeWrong1(bDay, now),     // outputs 9
                CalculateAgeWrong2(bDay, now),     // outputs 9
                CalculateAgeCorrect(bDay, now)));  // outputs 8

هنا لديك طرق:

public int CalculateAgeWrong1(DateTime birthDate, DateTime now)
{
    return new DateTime(now.Subtract(birthDate).Ticks).Year - 1;
}

public int CalculateAgeWrong2(DateTime birthDate, DateTime now)
{
    int age = now.Year - birthDate.Year;

    if (now < birthDate.AddYears(age))
        age--;

    return age;
}

public int CalculateAgeCorrect(DateTime birthDate, DateTime now)
{
    int age = now.Year - birthDate.Year;

    if (now.Month < birthDate.Month || (now.Month == birthDate.Month && now.Day < birthDate.Day))
        age--;

    return age;
}

أنا لا أعتقد أن أي من الإجابات حتى الآن الثقافات حساب العمر بشكل مختلف.انظر ، على سبيل المثال ، شرق آسيا العمر الحساب مقابل أن في الغرب.

أي الحقيقي الجواب يجب أن تشمل التعريب.على نمط استراتيجية ربما يكون في هذا المثال.

الإجابة البسيطة على هذا هو تطبيق AddYears كما هو مبين أدناه لأن هذا هو فقط طريقة الأم إلى إضافة سنوات إلى 29 من فبراير.من السنوات الكبيسة و الحصول على النتيجة الصحيحة من 28 فبراير.الشائعة سنوات.

يشعر البعض أن 1th من مارس.هو عيد ميلاد leaplings ولكن لا .صافي ولا أي مسؤول القاعدة يدعم هذا ولا المنطق السليم يفسر لماذا بعض ولد في شباط / فبراير يجب أن يكون 75% من ميلادهم في شهر آخر.

كذلك عصر الأسلوب يفسح المجال إضافة امتدادا DateTime.من خلال هذا يمكنك الحصول على عمر في أبسط طريقة ممكنة:

  1. قائمة البند

int age = "تاريخ الميلاد".العمر();

public static class DateTimeExtensions
{
    /// <summary>
    /// Calculates the age in years of the current System.DateTime object today.
    /// </summary>
    /// <param name="birthDate">The date of birth</param>
    /// <returns>Age in years today. 0 is returned for a future date of birth.</returns>
    public static int Age(this DateTime birthDate)
    {
        return Age(birthDate, DateTime.Today);
    }

    /// <summary>
    /// Calculates the age in years of the current System.DateTime object on a later date.
    /// </summary>
    /// <param name="birthDate">The date of birth</param>
    /// <param name="laterDate">The date on which to calculate the age.</param>
    /// <returns>Age in years on a later day. 0 is returned as minimum.</returns>
    public static int Age(this DateTime birthDate, DateTime laterDate)
    {
        int age;
        age = laterDate.Year - birthDate.Year;

        if (age > 0)
        {
            age -= Convert.ToInt32(laterDate.Date < birthDate.Date.AddYears(age));
        }
        else
        {
            age = 0;
        }

        return age;
    }
}

الآن تشغيل هذا الاختبار:

class Program
{
    static void Main(string[] args)
    {
        RunTest();
    }

    private static void RunTest()
    {
        DateTime birthDate = new DateTime(2000, 2, 28);
        DateTime laterDate = new DateTime(2011, 2, 27);
        string iso = "yyyy-MM-dd";

        for (int i = 0; i < 3; i++)
        {
            for (int j = 0; j < 3; j++)
            {
                Console.WriteLine("Birth date: " + birthDate.AddDays(i).ToString(iso) + "  Later date: " + laterDate.AddDays(j).ToString(iso) + "  Age: " + birthDate.AddDays(i).Age(laterDate.AddDays(j)).ToString());
            }
        }

        Console.ReadKey();
    }
}

التاريخ الحاسم سبيل المثال هذا:

تاريخ الميلاد:2000-02-29 لاحق:2011-02-28 العمر:11

الإخراج:

{
    Birth date: 2000-02-28  Later date: 2011-02-27  Age: 10
    Birth date: 2000-02-28  Later date: 2011-02-28  Age: 11
    Birth date: 2000-02-28  Later date: 2011-03-01  Age: 11
    Birth date: 2000-02-29  Later date: 2011-02-27  Age: 10
    Birth date: 2000-02-29  Later date: 2011-02-28  Age: 11
    Birth date: 2000-02-29  Later date: 2011-03-01  Age: 11
    Birth date: 2000-03-01  Later date: 2011-02-27  Age: 10
    Birth date: 2000-03-01  Later date: 2011-02-28  Age: 10
    Birth date: 2000-03-01  Later date: 2011-03-01  Age: 11
}

وفي تاريخ لاحق 2012-02-28:

{
    Birth date: 2000-02-28  Later date: 2012-02-28  Age: 12
    Birth date: 2000-02-28  Later date: 2012-02-29  Age: 12
    Birth date: 2000-02-28  Later date: 2012-03-01  Age: 12
    Birth date: 2000-02-29  Later date: 2012-02-28  Age: 11
    Birth date: 2000-02-29  Later date: 2012-02-29  Age: 12
    Birth date: 2000-02-29  Later date: 2012-03-01  Age: 12
    Birth date: 2000-03-01  Later date: 2012-02-28  Age: 11
    Birth date: 2000-03-01  Later date: 2012-02-29  Age: 11
    Birth date: 2000-03-01  Later date: 2012-03-01  Age: 12
}

اقتراحي

int age = (int) ((DateTime.Now - bday).TotalDays/365.242199);

ويبدو أن السنة تغيير على التاريخ الصحيح.(أنا بقعة اختبار ما يصل إلى سن 107)

وظيفة أخرى ، ليس لي ولكن وجدت على شبكة الإنترنت و المكرر من ذلك قليلا:

public static int GetAge(DateTime birthDate)
{
    DateTime n = DateTime.Now; // To avoid a race condition around midnight
    int age = n.Year - birthDate.Year;

    if (n.Month < birthDate.Month || (n.Month == birthDate.Month && n.Day < birthDate.Day))
        age--;

    return age;
}

اثنين فقط من الأشياء التي تتبادر إلى ذهني:ماذا عن الناس من البلدان التي لا تستخدم التقويم الميلادي?التاريخ والوقت.الآن هو في الخادم-ثقافة محددة على ما أعتقد.لدي على الاطلاق 0 المعرفة عن الواقع العمل مع آسيا التقويمات و أنا لا أعرف إذا كان هناك طريقة سهلة لتحويل التواريخ بين التقويمات ، ولكن فقط في حال كنت أتساءل عن تلك الصينية الرجال من العام 4660 :-)

2 الرئيسية لحل المشاكل هي:

1.حساب العمر بالضبط - في سنوات, شهور, أيام, الخ.

2.حساب عموما ينظر العمر - الناس عادة لا يهتمون كيف أنها قديمة بالضبط, أنهم يهتمون فقط عندما ميلادهم في السنة الحالية.


الحل 1 هو واضح:

DateTime birth = DateTime.Parse("1.1.2000");
DateTime today = DateTime.Today;     //we usually don't care about birth time
TimeSpan age = today - birth;        //.NET FCL should guarantee this as precise
double ageInDays = age.TotalDays;    //total number of days ... also precise
double daysInYear = 365.2425;        //statistical value for 400 years
double ageInYears = ageInDays / daysInYear;  //can be shifted ... not so precise

الحل 2 هو الذي ليست دقيقة جدا في بتحديد مجموع العمر ، ولكن ينظر دقيقة من قبل الناس.الناس عادة ما تستخدم ذلك عند حساب العمر "يدويا":

DateTime birth = DateTime.Parse("1.1.2000");
DateTime today = DateTime.Today;
int age = today.Year - birth.Year;    //people perceive their age in years

if (today.Month < birth.Month ||
   ((today.Month == birth.Month) && (today.Day < birth.Day)))
{
  age--;  //birthday in current year not yet reached, we are 1 year younger ;)
          //+ no birthday for 29.2. guys ... sorry, just wrong date for birth
}

ويلاحظ أن 2.:

  • هذا هو بلدي المفضل الحل
  • ونحن لا يمكن استخدام التاريخ والوقت.DayOfYear أو TimeSpans ، كما تحول عدد أيام السنوات الكبيسة
  • لقد وضعت هناك المزيد من خطوط القراءة

واحد فقط أكثر من ملاحظة ...وأود أن إنشاء 2 ثابتة طاقتها طرق هذا تعميم استخدام والثاني للاستخدام الاستعمال:

public static int GetAge(DateTime bithDay, DateTime today) 
{ 
  //chosen solution method body
}

public static int GetAge(DateTime birthDay) 
{ 
  return GetAge(birthDay, DateTime.Now);
}

أنا في وقت متأخر إلى الحزب ، ولكن هنا بطانة واحدة:

int age = new DateTime(DateTime.Now.Subtract(birthday).Ticks).Year-1;

هذه هي النسخة التي نستخدمها هنا.يعمل, انها بسيطة إلى حد ما.انها نفس فكرة جيف ولكن اعتقد انها قليلا أكثر وضوحا لأنه يفصل من المنطق طرح واحد ، لذلك فمن قليلا أسهل للفهم.

public static int GetAge(this DateTime dateOfBirth, DateTime dateAsAt)
{
    return dateAsAt.Year - dateOfBirth.Year - (dateOfBirth.DayOfYear < dateAsAt.DayOfYear ? 0 : 1);
}

يمكنك توسيع مشغل الثلاثي لجعله أكثر وضوحا, إذا كنت تعتقد أن هذا النوع من الشيء هو واضح.

من الواضح أن هذا هو عمله امتدادا الأسلوب على DateTime, لكن من الواضح أن يمكنك الاستيلاء على سطر واحد من التعليمات البرمجية التي لا عمل ووضعها في أي مكان.هنا لدينا آخر الزائد من طريقة التمديد الذي يمر في DateTime.Now, فقط للتأكد من اكتمالها.

أفضل طريقة أن أعرف لأن من سنة كبيسة كل شيء:

DateTime birthDate = new DateTime(2000,3,1);
int age = (int)Math.Floor((DateTime.Now - birthDate).TotalDays / 365.25D);

ويساعد هذا الأمل.

يمكنني استخدام هذا:

public static class DateTimeExtensions
{
    public static int Age(this DateTime birthDate)
    {
        return Age(birthDate, DateTime.Now);
    }

    public static int Age(this DateTime birthDate, DateTime offsetDate)
    {
        int result=0;
        result = offsetDate.Year - birthDate.Year;

        if (offsetDate.DayOfYear < birthDate.DayOfYear)
        {
              result--;
        }

        return result;
    }
}

وهذا يعطي "مزيد من التفاصيل" على هذا السؤال.ربما هذا ما تبحث عنه

DateTime birth = new DateTime(1974, 8, 29);
DateTime today = DateTime.Now;
TimeSpan span = today - birth;
DateTime age = DateTime.MinValue + span;

// Make adjustment due to MinValue equalling 1/1/1
int years = age.Year - 1;
int months = age.Month - 1;
int days = age.Day - 1;

// Print out not only how many years old they are but give months and days as well
Console.Write("{0} years, {1} months, {2} days", years, months, days);

لقد خلق SQL Server دالة معرفة من قبل المستخدم لحساب عمر شخص ما ، نظرا تاريخ الميلاد.وهذا مفيد عندما كنت في حاجة إليها كجزء من الاستعلام:

using System;
using System.Data;
using System.Data.Sql;
using System.Data.SqlClient;
using System.Data.SqlTypes;
using Microsoft.SqlServer.Server;

public partial class UserDefinedFunctions
{
    [SqlFunction(DataAccess = DataAccessKind.Read)]
    public static SqlInt32 CalculateAge(string strBirthDate)
    {
        DateTime dtBirthDate = new DateTime();
        dtBirthDate = Convert.ToDateTime(strBirthDate);
        DateTime dtToday = DateTime.Now;

        // get the difference in years
        int years = dtToday.Year - dtBirthDate.Year;

        // subtract another year if we're before the
        // birth day in the current year
        if (dtToday.Month < dtBirthDate.Month || (dtToday.Month == dtBirthDate.Month && dtToday.Day < dtBirthDate.Day))
            years=years-1;

        int intCustomerAge = years;
        return intCustomerAge;
    }
};

لقد قضيت بعض الوقت في العمل على هذا وجاء مع هذا لحساب شخص عمر في السنوات أو الشهور والأيام.لقد اختبرت ضد Feb 29 المشكلة السنوات الكبيسة ويبدو أن العمل سأقدر أي ملاحظات:

public void LoopAge(DateTime myDOB, DateTime FutureDate)
{
    int years = 0;
    int months = 0;
    int days = 0;

    DateTime tmpMyDOB = new DateTime(myDOB.Year, myDOB.Month, 1);

    DateTime tmpFutureDate = new DateTime(FutureDate.Year, FutureDate.Month, 1);

    while (tmpMyDOB.AddYears(years).AddMonths(months) < tmpFutureDate)
    {
        months++;

        if (months > 12)
        {
            years++;
            months = months - 12;
        }
    }

    if (FutureDate.Day >= myDOB.Day)
    {
        days = days + FutureDate.Day - myDOB.Day;
    }
    else
    {
        months--;

        if (months < 0)
        {
            years--;
            months = months + 12;
        }

        days +=
            DateTime.DaysInMonth(
                FutureDate.AddMonths(-1).Year, FutureDate.AddMonths(-1).Month
            ) + FutureDate.Day - myDOB.Day;

    }

    //add an extra day if the dob is a leap day
    if (DateTime.IsLeapYear(myDOB.Year) && myDOB.Month == 2 && myDOB.Day == 29)
    {
        //but only if the future date is less than 1st March
        if (FutureDate >= new DateTime(FutureDate.Year, 3, 1))
            days++;
    }

}

وهنا بعد إجابة أخرى:

public static int AgeInYears(DateTime birthday, DateTime today)
{
    return ((today.Year - birthday.Year) * 372 + (today.Month - birthday.Month) * 31 + (today.Day - birthday.Day)) / 372;
}

هذا وقد تم على نطاق واسع وحدة اختبار.فإنه لا ننظر قليلا "السحر".عدد 372 هو عدد الأيام في السنة إذا كان كل شهر 31 يوما.

شرح لماذا كان يعمل (رفعت من هنا) هو:

دعونا تعيين Yn = DateTime.Now.Year, Yb = birthday.Year, Mn = DateTime.Now.Month, Mb = birthday.Month, Dn = DateTime.Now.Day, Db = birthday.Day

age = Yn - Yb + (31*(Mn - Mb) + (Dn - Db)) / 372

ونحن نعلم أن ما نحتاج إليه هو إما Yn-Yb إذا كان التاريخ قد تم بالفعل التوصل إليه ، Yn-Yb-1 إذا لم يكن.

أ) إذا Mn<Mb, لدينا -341 <= 31*(Mn-Mb) <= -31 and -30 <= Dn-Db <= 30

-371 <= 31*(Mn - Mb) + (Dn - Db) <= -1

مع قسمة عدد صحيح

(31*(Mn - Mb) + (Dn - Db)) / 372 = -1

ب) إذا Mn=Mb و Dn<Db, لدينا 31*(Mn - Mb) = 0 and -30 <= Dn-Db <= -1

مع قسمة عدد صحيح مرة أخرى

(31*(Mn - Mb) + (Dn - Db)) / 372 = -1

ج) إذا Mn>Mb, لدينا 31 <= 31*(Mn-Mb) <= 341 and -30 <= Dn-Db <= 30

1 <= 31*(Mn - Mb) + (Dn - Db) <= 371

مع قسمة عدد صحيح

(31*(Mn - Mb) + (Dn - Db)) / 372 = 0

د) إذا Mn=Mb و Dn>Db, لدينا 31*(Mn - Mb) = 0 and 1 <= Dn-Db <= 30

مع قسمة عدد صحيح مرة أخرى

(31*(Mn - Mb) + (Dn - Db)) / 372 = 0

هـ) إذا Mn=Mb و Dn=Db, لدينا 31*(Mn - Mb) + Dn-Db = 0

وبالتالي (31*(Mn - Mb) + (Dn - Db)) / 372 = 0

هل نحن بحاجة إلى النظر في الناس من هو أصغر من 1 سنة ؟ الثقافة الصينية ، وصفنا الصغيرة الأطفال في سن 2 أشهر أو 4 أسابيع.

أدناه هو التنفيذ ، كما أنها ليست بسيطة مثل ما تخيلت خاصة للتعامل مع التاريخ مثل 2/28.

public static string HowOld(DateTime birthday, DateTime now)
{
    if (now < birthday)
        throw new ArgumentOutOfRangeException("birthday must be less than now.");

    TimeSpan diff = now - birthday;
    int diffDays = (int)diff.TotalDays;

    if (diffDays > 7)//year, month and week
    {
        int age = now.Year - birthday.Year;

        if (birthday > now.AddYears(-age))
            age--;

        if (age > 0)
        {
            return age + (age > 1 ? " years" : " year");
        }
        else
        {// month and week
            DateTime d = birthday;
            int diffMonth = 1;

            while (d.AddMonths(diffMonth) <= now)
            {
                diffMonth++;
            }

            age = diffMonth-1;

            if (age == 1 && d.Day > now.Day)
                age--;

            if (age > 0)
            {
                return age + (age > 1 ? " months" : " month");
            }
            else
            {
                age = diffDays / 7;
                return age + (age > 1 ? " weeks" : " week");
            }
        }
    }
    else if (diffDays > 0)
    {
        int age = diffDays;
        return age + (age > 1 ? " days" : " day");
    }
    else
    {
        int age = diffDays;
        return "just born";
    }
}

هذا التنفيذ قد مرت أدناه حالات الاختبار.

[TestMethod]
public void TestAge()
{
    string age = HowOld(new DateTime(2011, 1, 1), new DateTime(2012, 11, 30));
    Assert.AreEqual("1 year", age);

    age = HowOld(new DateTime(2011, 11, 30), new DateTime(2012, 11, 30));
    Assert.AreEqual("1 year", age);

    age = HowOld(new DateTime(2001, 1, 1), new DateTime(2012, 11, 30));
    Assert.AreEqual("11 years", age);

    age = HowOld(new DateTime(2012, 1, 1), new DateTime(2012, 11, 30));
    Assert.AreEqual("10 months", age);

    age = HowOld(new DateTime(2011, 12, 1), new DateTime(2012, 11, 30));
    Assert.AreEqual("11 months", age);

    age = HowOld(new DateTime(2012, 10, 1), new DateTime(2012, 11, 30));
    Assert.AreEqual("1 month", age);

    age = HowOld(new DateTime(2008, 2, 28), new DateTime(2009, 2, 28));
    Assert.AreEqual("1 year", age);

    age = HowOld(new DateTime(2008, 3, 28), new DateTime(2009, 2, 28));
    Assert.AreEqual("11 months", age);

    age = HowOld(new DateTime(2008, 3, 28), new DateTime(2009, 3, 28));
    Assert.AreEqual("1 year", age);

    age = HowOld(new DateTime(2009, 1, 28), new DateTime(2009, 2, 28));
    Assert.AreEqual("1 month", age);

    age = HowOld(new DateTime(2009, 2, 1), new DateTime(2009, 3, 1));
    Assert.AreEqual("1 month", age);

    // NOTE.
    // new DateTime(2008, 1, 31).AddMonths(1) == new DateTime(2009, 2, 28);
    // new DateTime(2008, 1, 28).AddMonths(1) == new DateTime(2009, 2, 28);
    age = HowOld(new DateTime(2009, 1, 31), new DateTime(2009, 2, 28));
    Assert.AreEqual("4 weeks", age);

    age = HowOld(new DateTime(2009, 2, 1), new DateTime(2009, 2, 28));
    Assert.AreEqual("3 weeks", age);

    age = HowOld(new DateTime(2009, 2, 1), new DateTime(2009, 3, 1));
    Assert.AreEqual("1 month", age);

    age = HowOld(new DateTime(2012, 11, 5), new DateTime(2012, 11, 30));
    Assert.AreEqual("3 weeks", age);

    age = HowOld(new DateTime(2012, 11, 1), new DateTime(2012, 11, 30));
    Assert.AreEqual("4 weeks", age);

    age = HowOld(new DateTime(2012, 11, 20), new DateTime(2012, 11, 30));
    Assert.AreEqual("1 week", age);

    age = HowOld(new DateTime(2012, 11, 25), new DateTime(2012, 11, 30));
    Assert.AreEqual("5 days", age);

    age = HowOld(new DateTime(2012, 11, 29), new DateTime(2012, 11, 30));
    Assert.AreEqual("1 day", age);

    age = HowOld(new DateTime(2012, 11, 30), new DateTime(2012, 11, 30));
    Assert.AreEqual("just born", age);

    age = HowOld(new DateTime(2000, 2, 29), new DateTime(2009, 2, 28));
    Assert.AreEqual("8 years", age);

    age = HowOld(new DateTime(2000, 2, 29), new DateTime(2009, 3, 1));
    Assert.AreEqual("9 years", age);

    Exception e = null;

    try
    {
        age = HowOld(new DateTime(2012, 12, 1), new DateTime(2012, 11, 30));
    }
    catch (ArgumentOutOfRangeException ex)
    {
        e = ex;
    }

    Assert.IsTrue(e != null);
}

نأمل أنه من المفيد.

الحفاظ على أنها بسيطة (وربما غبي:)).

DateTime birth = new DateTime(1975, 09, 27, 01, 00, 00, 00);
TimeSpan ts = DateTime.Now - birth;
Console.WriteLine("You are approximately " + ts.TotalSeconds.ToString() + " seconds old.");
TimeSpan diff = DateTime.Now - birthdayDateTime;
string age = String.Format("{0:%y} years, {0:%M} months, {0:%d}, days old", diff);

لست متأكدا بالضبط كيف كنت ترغب في ذلك عاد لك لذا أعددت سلسلة قابلة للقراءة.

أبسط طريقة لقد وجدت من أي وقت مضى هو هذا.أنه يعمل بشكل صحيح على الولايات المتحدة وأوروبا الغربية لغات.لا يمكن التحدث إلى أماكن أخرى خصوصا في أماكن مثل الصين.4 إضافية يقارن على الأكثر التالية الأولي حساب العمر.

public int AgeInYears(DateTime birthDate, DateTime referenceDate)
{
  Debug.Assert(referenceDate >= birthDate, 
               "birth date must be on or prior to the reference date");

  DateTime birth = birthDate.Date;
  DateTime reference = referenceDate.Date;
  int years = (reference.Year - birth.Year);

  //
  // an offset of -1 is applied if the birth date has 
  // not yet occurred in the current year.
  //
  if (reference.Month > birth.Month);
  else if (reference.Month < birth.Month) 
    --years;
  else // in birth month
  {
    if (reference.Day < birth.Day)
      --years;
  }

  return years ;
}

كنت أبحث من خلال الإجابات على هذا و لاحظت أن لا أحد قد أشارت التنظيمية/القانونية المترتبة قفزة يوم ولادة.فعلى سبيل المثال ، في ويكيبيديا, إذا كنت ولدت في 29 شباط / فبراير في مختلف الاختصاصات ، أنت غير السنة الكبيسة عيد ميلاد يختلف:

  • في المملكة المتحدة وهونغ كونغ:هذا ترتيبي يوم من أيام السنة ، وذلك في اليوم التالي, 1 مارس هو عيد ميلادك.
  • في نيوزيلندا:أنه في اليوم السابق, 28 شباط / فبراير لأغراض سائق ترخيص و 1 مارس لأغراض أخرى.
  • تايوان:إنه 28 شباط / فبراير.

و أقرب ما أستطيع أن أقول, في الولايات المتحدة, القوانين هي صامتة بشأن هذه المسألة ، وترك الأمر إلى القانون العام و كيفية مختلف الهيئات التنظيمية تحديد الأشياء في أنظمتها.

وتحقيقا لهذه الغاية, تحسن:

public enum LeapDayRule
{
  OrdinalDay     = 1 ,
  LastDayOfMonth = 2 ,
}

static int ComputeAgeInYears(DateTime birth, DateTime reference, LeapYearBirthdayRule ruleInEffect)
{
  bool isLeapYearBirthday = CultureInfo.CurrentCulture.Calendar.IsLeapDay(birth.Year, birth.Month, birth.Day);
  DateTime cutoff;

  if (isLeapYearBirthday && !DateTime.IsLeapYear(reference.Year))
  {
    switch (ruleInEffect)
    {
      case LeapDayRule.OrdinalDay:
        cutoff = new DateTime(reference.Year, 1, 1)
                             .AddDays(birth.DayOfYear - 1);
        break;

      case LeapDayRule.LastDayOfMonth:
        cutoff = new DateTime(reference.Year, birth.Month, 1)
                             .AddMonths(1)
                             .AddDays(-1);
        break;

      default:
        throw new InvalidOperationException();
    }
  }
  else
  {
    cutoff = new DateTime(reference.Year, birth.Month, birth.Day);
  }

  int age = (reference.Year - birth.Year) + (reference >= cutoff ? 0 : -1);
  return age < 0 ? 0 : age;
}

وتجدر الإشارة إلى أن هذا القانون يفترض:

  • الغربية (الأوروبية) الحساب من العمر ،
  • التقويم, مثل التقويم الغريغوري إدراج قفزة واحدة في اليوم في نهاية الشهر.

هذه ليست إجابة مباشرة ، ولكن أكثر من التفكير الفلسفي حول المشكلة في متناول اليد من شبه نظر علمية.

أنا أزعم أن السؤال لم يحدد وحدة ولا ثقافة لقياس العمر ، معظم الإجابات يبدو أن نفترض صحيح السنوي التمثيل.SI-وحدة الوقت second, ولهذا الصحيح العامة يجب أن تكون الإجابة (طبعا على افتراض تطبيع DateTime و أخذ أي اعتبار على الإطلاق الآثار النسبية):

var lifeInSeconds = (DateTime.Now.Ticks - then.Ticks)/TickFactor;

في المسيحية طريقة حساب العمر في سنوات:

var then = ... // Then, in this case the birthday
var now = DateTime.UtcNow;
int age = now.Year - then.Year;
if (now.AddYears(-age) < then) age--;

في تمويل هناك مشكلة مماثلة عند حساب شيء غالبا ما يشار إليها باسم عدد يوم جزء, الذي تقريبا هو عدد من السنوات لفترة معينة.وعمر المسألة هو حقا وقت قياس المسألة.

مثلا الفعلية/الفعلية (عد كل الأيام "بشكل صحيح") الاتفاقية:

DateTime start, end = .... // Whatever, assume start is before end

double startYearContribution = 1 - (double) start.DayOfYear / (double) (DateTime.IsLeapYear(start.Year) ? 366 : 365);
double endYearContribution = (double)end.DayOfYear / (double)(DateTime.IsLeapYear(end.Year) ? 366 : 365);
double middleContribution = (double) (end.Year - start.Year - 1);

double DCF = startYearContribution + endYearContribution + middleContribution;

آخر شائع جدا طريقة لقياس الوقت عموما من قبل "التسلسلية" (الرجل الذي يدعى هذا التاريخ الاتفاقية يجب على محمل الجد وقد يتلعثم):

DateTime start, end = .... // Whatever, assume start is before end
int days = (end - start).Days;

وأتساءل كم من الوقت يجب أن نذهب قبل أن النسبية العمر في ثواني يصبح أكثر فائدة من تقريب الأرض حول الشمس دورة واحدة خلال حياته حتى الآن :) أو بعبارة أخرى عندما يجب أن تكون الفترة بالنظر إلى موقع أو وظيفة تمثل الحركة لنفسها أن تكون صحيحة :)

هنا هو الحل.

DateTime dateOfBirth = new DateTime(2000, 4, 18);
DateTime currentDate = DateTime.Now;

int ageInYears = 0;
int ageInMonths = 0;
int ageInDays = 0;

ageInDays = currentDate.Day - dateOfBirth.Day;
ageInMonths = currentDate.Month - dateOfBirth.Month;
ageInYears = currentDate.Year - dateOfBirth.Year;

if (ageInDays < 0)
{
    ageInDays += DateTime.DaysInMonth(currentDate.Year, currentDate.Month);
    ageInMonths = ageInMonths--;

    if (ageInMonths < 0)
    {
        ageInMonths += 12;
        ageInYears--;
    }
}

if (ageInMonths < 0)
{
    ageInMonths += 12;
    ageInYears--;
}

Console.WriteLine("{0}, {1}, {2}", ageInYears, ageInMonths, ageInDays);

هذا هو واحد من الأكثر دقة الإجابة التي هي قادرة على حل عيد ميلاد 29 فبراير مقارنة أي سنة من 28 فبراير.

public int GetAge(DateTime birthDate)
{
    int age = DateTime.Now.Year - birthDate.Year;

    if (birthDate.DayOfYear > DateTime.Now.DayOfYear)
        age--;

    return age;
}

لدي تخصيص طريقة لحساب العمر ، بالإضافة إلى مكافأة التحقق من صحة الرسالة فقط في حالة أنه يساعد على:

public void GetAge(DateTime dob, DateTime now, out int years, out int months, out int days)
{
    years = 0;
    months = 0;
    days = 0;

    DateTime tmpdob = new DateTime(dob.Year, dob.Month, 1);
    DateTime tmpnow = new DateTime(now.Year, now.Month, 1);

    while (tmpdob.AddYears(years).AddMonths(months) < tmpnow)
    {
        months++;
        if (months > 12)
        {
            years++;
            months = months - 12;
        }
    }

    if (now.Day >= dob.Day)
        days = days + now.Day - dob.Day;
    else
    {
        months--;
        if (months < 0)
        {
            years--;
            months = months + 12;
        }
        days += DateTime.DaysInMonth(now.AddMonths(-1).Year, now.AddMonths(-1).Month) + now.Day - dob.Day;
    }

    if (DateTime.IsLeapYear(dob.Year) && dob.Month == 2 && dob.Day == 29 && now >= new DateTime(now.Year, 3, 1))
        days++;

}   

private string ValidateDate(DateTime dob) //This method will validate the date
{
    int Years = 0; int Months = 0; int Days = 0;

    GetAge(dob, DateTime.Now, out Years, out Months, out Days);

    if (Years < 18)
        message =  Years + " is too young. Please try again on your 18th birthday.";
    else if (Years >= 65)
        message = Years + " is too old. Date of Birth must not be 65 or older.";
    else
        return null; //Denotes validation passed
}

استدعاء الأسلوب هنا تمر بها قيمة (MM/dd/yyyy إذا كان الملقم تعيين إلى الولايات المتحدة الأمريكية المحلية).استبدل هذا أي شيء messagebox أو أي وعاء لعرض:

DateTime dob = DateTime.Parse("03/10/1982");  

string message = ValidateDate(dob);

lbldatemessage.Visible = !StringIsNullOrWhitespace(message);
lbldatemessage.Text = message ?? ""; //Ternary if message is null then default to empty string

تذكر يمكنك تنسيق الرسالة أي بالطريقة التي تريدها.

ماذا عن هذا الحل ؟

static string CalcAge(DateTime birthDay)
{
    DateTime currentDate = DateTime.Now;         
    int approximateAge = currentDate.Year - birthDay.Year;
    int daysToNextBirthDay = (birthDay.Month * 30 + birthDay.Day) - 
        (currentDate.Month * 30 + currentDate.Day) ;

    if (approximateAge == 0 || approximateAge == 1)
    {                
        int month =  Math.Abs(daysToNextBirthDay / 30);
        int days = Math.Abs(daysToNextBirthDay % 30);

        if (month == 0)
            return "Your age is: " + daysToNextBirthDay + " days";

        return "Your age is: " + month + " months and " + days + " days"; ;
    }

    if (daysToNextBirthDay > 0)
        return "Your age is: " + --approximateAge + " Years";

    return "Your age is: " + approximateAge + " Years"; ;
}
private int GetAge(int _year, int _month, int _day
{
    DateTime yourBirthDate= new DateTime(_year, _month, _day);

    DateTime todaysDateTime = DateTime.Today;
    int noOfYears = todaysDateTime.Year - yourBirthDate.Year;

    if (DateTime.Now.Month < yourBirthDate.Month ||
        (DateTime.Now.Month == yourBirthDate.Month && DateTime.Now.Day < yourBirthDate.Day))
    {
        noOfYears--;
    }

    return  noOfYears;
}

النهج التالي (استخراج من الفترة الزمنية المكتبة .صافي الدرجة DateDiff) يعتبر التقويم من ثقافة المعلومات:

// ----------------------------------------------------------------------
private static int YearDiff( DateTime date1, DateTime date2 )
{
  return YearDiff( date1, date2, DateTimeFormatInfo.CurrentInfo.Calendar );
} // YearDiff

// ----------------------------------------------------------------------
private static int YearDiff( DateTime date1, DateTime date2, Calendar calendar )
{
  if ( date1.Equals( date2 ) )
  {
    return 0;
  }

  int year1 = calendar.GetYear( date1 );
  int month1 = calendar.GetMonth( date1 );
  int year2 = calendar.GetYear( date2 );
  int month2 = calendar.GetMonth( date2 );

  // find the the day to compare
  int compareDay = date2.Day;
  int compareDaysPerMonth = calendar.GetDaysInMonth( year1, month1 );
  if ( compareDay > compareDaysPerMonth )
  {
    compareDay = compareDaysPerMonth;
  }

  // build the compare date
  DateTime compareDate = new DateTime( year1, month2, compareDay,
    date2.Hour, date2.Minute, date2.Second, date2.Millisecond );
  if ( date2 > date1 )
  {
    if ( compareDate < date1 )
    {
      compareDate = compareDate.AddYears( 1 );
    }
  }
  else
  {
    if ( compareDate > date1 )
    {
      compareDate = compareDate.AddYears( -1 );
    }
  }
  return year2 - calendar.GetYear( compareDate );
} // YearDiff

الاستخدام:

// ----------------------------------------------------------------------
public void CalculateAgeSamples()
{
  PrintAge( new DateTime( 2000, 02, 29 ), new DateTime( 2009, 02, 28 ) );
  // > Birthdate=29.02.2000, Age at 28.02.2009 is 8 years
  PrintAge( new DateTime( 2000, 02, 29 ), new DateTime( 2012, 02, 28 ) );
  // > Birthdate=29.02.2000, Age at 28.02.2012 is 11 years
} // CalculateAgeSamples

// ----------------------------------------------------------------------
public void PrintAge( DateTime birthDate, DateTime moment )
{
  Console.WriteLine( "Birthdate={0:d}, Age at {1:d} is {2} years", birthDate, moment, YearDiff( birthDate, moment ) );
} // PrintAge

اعتدت ScArcher2 حل دقيق العام حساب الأشخاص العمر ولكن أنا بحاجة إلى اتخاذ أكثر من ذلك و حساب الشهور والأيام جنبا إلى جنب مع سنوات.

    public static Dictionary<string,int> CurrentAgeInYearsMonthsDays(DateTime? ndtBirthDate, DateTime? ndtReferralDate)
    {
        //----------------------------------------------------------------------
        // Can't determine age if we don't have a dates.
        //----------------------------------------------------------------------
        if (ndtBirthDate == null) return null;
        if (ndtReferralDate == null) return null;

        DateTime dtBirthDate = Convert.ToDateTime(ndtBirthDate);
        DateTime dtReferralDate = Convert.ToDateTime(ndtReferralDate);

        //----------------------------------------------------------------------
        // Create our Variables
        //----------------------------------------------------------------------
        Dictionary<string, int> dYMD = new Dictionary<string,int>();
        int iNowDate, iBirthDate, iYears, iMonths, iDays;
        string sDif = "";

        //----------------------------------------------------------------------
        // Store off current date/time and DOB into local variables
        //---------------------------------------------------------------------- 
        iNowDate = int.Parse(dtReferralDate.ToString("yyyyMMdd"));
        iBirthDate = int.Parse(dtBirthDate.ToString("yyyyMMdd"));

        //----------------------------------------------------------------------
        // Calculate Years
        //----------------------------------------------------------------------
        sDif = (iNowDate - iBirthDate).ToString();
        iYears = int.Parse(sDif.Substring(0, sDif.Length - 4));

        //----------------------------------------------------------------------
        // Store Years in Return Value
        //----------------------------------------------------------------------
        dYMD.Add("Years", iYears);

        //----------------------------------------------------------------------
        // Calculate Months
        //----------------------------------------------------------------------
        if (dtBirthDate.Month > dtReferralDate.Month)
            iMonths = 12 - dtBirthDate.Month + dtReferralDate.Month - 1;
        else
            iMonths = dtBirthDate.Month - dtReferralDate.Month;

        //----------------------------------------------------------------------
        // Store Months in Return Value
        //----------------------------------------------------------------------
        dYMD.Add("Months", iMonths);

        //----------------------------------------------------------------------
        // Calculate Remaining Days
        //----------------------------------------------------------------------
        if (dtBirthDate.Day > dtReferralDate.Day)
            //Logic: Figure out the days in month previous to the current month, or the admitted month.
            //       Subtract the birthday from the total days which will give us how many days the person has lived since their birthdate day the previous month.
            //       then take the referral date and simply add the number of days the person has lived this month.

            //If referral date is january, we need to go back to the following year's December to get the days in that month.
            if (dtReferralDate.Month == 1)
                iDays = DateTime.DaysInMonth(dtReferralDate.Year - 1, 12) - dtBirthDate.Day + dtReferralDate.Day;       
            else
                iDays = DateTime.DaysInMonth(dtReferralDate.Year, dtReferralDate.Month - 1) - dtBirthDate.Day + dtReferralDate.Day;       
        else
            iDays = dtReferralDate.Day - dtBirthDate.Day;             

        //----------------------------------------------------------------------
        // Store Days in Return Value
        //----------------------------------------------------------------------
        dYMD.Add("Days", iDays);

        return dYMD;
}

إصدار SQL:

declare @dd smalldatetime = '1980-04-01'
declare @age int = YEAR(GETDATE())-YEAR(@dd)
if (@dd> DATEADD(YYYY, -@age, GETDATE())) set @age = @age -1

print @age  

هذا السؤال التقليدي: هو أحق من نودا الوقت الحل.

static int GetAge(LocalDate dateOfBirth)
{
    Instant now = SystemClock.Instance.Now;

    // The target time zone is important.
    // It should align with the *current physical location* of the person
    // you are talking about.  When the whereabouts of that person are unknown,
    // then you use the time zone of the person who is *asking* for the age.
    // The time zone of birth is irrelevant!

    DateTimeZone zone = DateTimeZoneProviders.Tzdb["America/New_York"];

    LocalDate today = now.InZone(zone).Date;

    Period period = Period.Between(dateOfBirth, today, PeriodUnits.Years);

    return (int) period.Years;
}

الاستخدام:

LocalDate dateOfBirth = new LocalDate(1976, 8, 27);
int age = GetAge(dateOfBirth);

كنت قد تكون مهتمة أيضا في التحسينات التالية:

  • ويمر في الساعة كما IClock, بدلا من استخدام SystemClock.Instance, من شأنه أن يحسن من قابلية الاختبار.

  • الوقت المستهدف المنطقة من المرجح أن تتغير ، إذا كنت تريد DateTimeZone المعلمة كذلك.

انظر أيضا بلدي بلوق وظيفة حول هذا الموضوع: التعامل مع أعياد الميلاد وغيرها من المناسبات

مرخصة بموجب: CC-BY-SA مع الإسناد
لا تنتمي إلى StackOverflow
scroll top