DateTime
Bir kişinin doğum gününü temsil eden bir kişi göz önüne alındığında , yaşlarını yıl olarak nasıl hesaplayabilirim?
DateTime
Bir kişinin doğum gününü temsil eden bir kişi göz önüne alındığında , yaşlarını yıl olarak nasıl hesaplayabilirim?
Yanıtlar:
Anlaması kolay ve basit bir çözüm.
// 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--;
Bununla birlikte, bu, Batı Asya fikrini aradığınızı ve Doğu Asya hesaplamasını kullanmamanızı varsayar .
Bu garip bir yol, ancak tarihi biçimlendirir yyyymmdd
ve doğum tarihini geçerli tarihten çıkarırsanız, yaşınız olan son 4 haneyi bırakın :)
C # bilmiyorum, ama bunun herhangi bir dilde çalışacağına inanıyorum.
20080814 - 19800703 = 280111
Son 4 haneyi düşür = 28
.
C # Kodu:
int now = int.Parse(DateTime.Now.ToString("yyyyMMdd"));
int dob = int.Parse(dateOfBirth.ToString("yyyyMMdd"));
int age = (now - dob) / 10000;
Veya alternatif olarak, bir uzantı yöntemi biçimindeki tüm tür dönüşümü olmadan. Hata denetimi atlandı:
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;
}
20180101 - 20171231 = 8870
. Son 4 haneyi bırakın ve 0
yaşınız için (zımni) var . Nasıl buldun 1
?
İşte bir test snippet'i:
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
CalculateAgeCorrect2(bDay, now))); // outputs 8
İşte yöntemleri var:
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;
}
public int CalculateAgeCorrect2(DateTime birthDate, DateTime now)
{
int age = now.Year - birthDate.Year;
// For leap years we need this
if (birthDate > now.AddYears(-age))
age--;
// Don't use:
// if (birthDate.AddYears(age) > now)
// age--;
return age;
}
Bunun basit cevabı, AddYears
aşağıda gösterildiği gibi uygulamaktır çünkü bu, 29 Şubat sıçrama yıllarına yıl eklemek ve 28 Şubat'ın ortak yıllar için doğru sonucunu elde etmek için tek yerel yöntemdir.
Bazıları 1 Mart'ın sızıntıların doğum günü olduğunu düşünüyor, ancak ne. Net ne de resmi bir kural bunu desteklemiyor ve Şubat ayında doğan bazılarının neden başka bir ay içinde doğum günlerinin% 75'inin olması gerektiğini açıklamıyor.
Ayrıca, bir Age yöntemi kendisini bir uzantısı olarak eklenmeye borçludur DateTime
. Bununla, yaşı mümkün olan en basit şekilde elde edebilirsiniz:
int age = birthDate.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;
}
}
Şimdi bu testi yapın:
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();
}
}
Kritik tarih örneği şudur:
Doğum tarihi: 2000-02-29 Sonra tarih: 2011-02-28 Yaş: 11
Çıktı:
{
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
}
Ve daha sonraki tarih için 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
}
date.Age(other)
?
Benim önerim
int age = (int) ((DateTime.Now - bday).TotalDays/365.242199);
Bu, yılın doğru tarihte değiştiği görülüyor. (107 yaşına kadar test yaptım.)
days in a year = 365.242199
Başka bir fonksiyon, benim tarafımdan değil, web'de bulundu ve biraz rafine edildi:
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;
}
Aklıma yalnızca iki şey geliyor: Gregoryen takvimini kullanmayan ülkelerden insanlar? DateTime.Now sunucuya özgü kültür olduğunu düşünüyorum. Aslında Asya takvimleri ile çalışma hakkında kesinlikle sıfır bilgiye sahibim ve takvimler arasında tarihleri dönüştürmenin kolay bir yolu olup olmadığını bilmiyorum, ancak 4660 yılından bu Çinli adamları merak ediyorsanız :-)
2 Çözülmesi gereken temel sorunlar:
1. Tam yaş hesaplayın - yıl, ay, gün vb.
2. Genel olarak algılanan yaşı hesaplayın - insanlar genellikle tam olarak kaç yaşında olduklarını umursamazlar, sadece mevcut yıldaki doğum günlerini ne zaman önemsiyorlar.
1 için çözüm açıktır:
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 için çözüm, toplam yaşı belirlemede kesin olmayan, ancak insanlar tarafından kesin olarak algılanan çözümdür. İnsanlar genellikle yaşlarını "manuel olarak" hesapladıklarında da kullanırlar:
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
}
Not 2:
Sadece bir not daha ... Bunun için 2 statik aşırı yüklenmiş yöntem yaratacağım, biri evrensel kullanım için, ikinci kullanım kolaylığı için:
public static int GetAge(DateTime bithDay, DateTime today)
{
//chosen solution method body
}
public static int GetAge(DateTime birthDay)
{
return GetAge(birthDay, DateTime.Now);
}
İşte bir astar:
int age = new DateTime(DateTime.Now.Subtract(birthday).Ticks).Year-1;
Bu, burada kullandığımız versiyon. Çalışıyor ve oldukça basit. Jeff'inkiyle aynı fikir ama sanırım biraz daha açık çünkü bir şeyi çıkarmak için mantığı ayırıyor, bu yüzden anlaşılması biraz daha kolay.
public static int GetAge(this DateTime dateOfBirth, DateTime dateAsAt)
{
return dateAsAt.Year - dateOfBirth.Year - (dateOfBirth.DayOfYear < dateAsAt.DayOfYear ? 0 : 1);
}
Üçlü operatörü, daha net hale getirmek için genişletebilirsiniz, eğer bu tür bir şeyin net olmadığını düşünüyorsanız.
Açıkçası bu bir uzatma yöntemi olarak yapılır DateTime
, ancak açıkça işi yapan ve herhangi bir yere koyan bir kod satırı yakalayabilirsiniz. Burada DateTime.Now
, sadece tamlık için geçen Uzantı yönteminin başka bir aşırı yüklenmesi var .
Artık yıllar ve her şey yüzünden bildiğim en iyi yol:
DateTime birthDate = new DateTime(2000,3,1);
int age = (int)Math.Floor((DateTime.Now - birthDate).TotalDays / 365.25D);
Bunu kullanıyorum:
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;
}
}
Bu, bu soruya "daha fazla ayrıntı" verir. Belki de aradığınız şey budur
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);
Ben onların doğum tarihi göz önüne alındığında, birinin yaşını hesaplamak için bir SQL Server Kullanıcı Tanımlı Fonksiyon oluşturduk. Bu, bir sorgunun parçası olarak ihtiyacınız olduğunda kullanışlıdır:
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;
}
};
İşte başka bir cevap daha:
public static int AgeInYears(DateTime birthday, DateTime today)
{
return ((today.Year - birthday.Year) * 372 + (today.Month - birthday.Month) * 31 + (today.Day - birthday.Day)) / 372;
}
Bu kapsamlı birim test edilmiştir. Biraz "sihirli" görünüyor. 372 sayısı, her ay 31 gün olsaydı, bir yılda olacak gün sayısıdır.
Neden çalıştığının açıklaması ( buradan kaldırıldı ):
Ayarlayalım
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
İhtiyacımız olan şeyin ya
Yn-Yb
tarihe önceden ulaşılmışsa,Yn-Yb-1
eğer ulaşmamışsa olduğunu biliyoruz.a) Eğer
Mn<Mb
,-341 <= 31*(Mn-Mb) <= -31 and -30 <= Dn-Db <= 30
-371 <= 31*(Mn - Mb) + (Dn - Db) <= -1
Tamsayı bölmeli
(31*(Mn - Mb) + (Dn - Db)) / 372 = -1
b) Eğer
Mn=Mb
veDn<Db
biz var31*(Mn - Mb) = 0 and -30 <= Dn-Db <= -1
Tamsayı bölümü ile, yine
(31*(Mn - Mb) + (Dn - Db)) / 372 = -1
c) Eğer varsa
Mn>Mb
,31 <= 31*(Mn-Mb) <= 341 and -30 <= Dn-Db <= 30
1 <= 31*(Mn - Mb) + (Dn - Db) <= 371
Tamsayı bölmeli
(31*(Mn - Mb) + (Dn - Db)) / 372 = 0
d) Eğer
Mn=Mb
ve varsaDn>Db
,31*(Mn - Mb) = 0 and 1 <= Dn-Db <= 3
0Tamsayı bölümü ile, yine
(31*(Mn - Mb) + (Dn - Db)) / 372 = 0
e) Eğer
Mn=Mb
veDn=Db
biz var31*(Mn - Mb) + Dn-Db = 0
ve bu nedenle
(31*(Mn - Mb) + (Dn - Db)) / 372 = 0
Bunun üzerinde çalışmak için biraz zaman harcadım ve birisinin yaşını yıl, ay ve gün olarak hesaplamak için bunu buldum. 29 Şubat sorununa ve artık yıllara karşı test ettim ve işe yarıyor gibi görünüyor, herhangi bir geri bildirimi takdir ediyorum:
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++;
}
}
1 yıldan küçük insanları düşünmemiz gerekir mi? Çin kültürü olarak küçük bebeklerin yaşlarını 2 ay veya 4 hafta olarak tanımlıyoruz.
Aşağıda benim uygulamam, özellikle 2/28 gibi tarih ile başa çıkmak hayal ettiğim kadar basit değil.
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";
}
}
Bu uygulama test senaryolarının altında geçti.
[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);
}
Umarım faydalıdır.
Basit tutmak (ve muhtemelen aptal :)).
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.");
Şimdiye kadar bulduğum en basit yol bu. ABD ve batı avrupa yerlileri için doğru çalışır. Diğer yerliler, özellikle Çin gibi yerler ile konuşamıyor. 4 ekstra, ilk yaş hesaplamasını takiben en fazla karşılaştırır.
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 ;
}
Bunun cevaplarını inceliyordum ve hiç kimsenin artık gün doğumlarının düzenleyici / yasal sonuçlarına atıfta bulunmadığını fark ettim. Örneğin, Wikipedia'ya göre , 29 Şubat'ta çeşitli ülkelerde doğuyorsanız, artık olmayan doğum gününüz değişir:
Ve anlayabildiğim kadarıyla, ABD'de, tüzükler konu üzerinde sessizdir, onu ortak hukuka ve çeşitli düzenleyici kurumların düzenlemelerindeki şeyleri nasıl tanımladığına bırakır.
Bu amaçla, bir gelişme:
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;
}
Bu kodun şunları varsaydığı unutulmamalıdır:
TimeSpan diff = DateTime.Now - birthdayDateTime;
string age = String.Format("{0:%y} years, {0:%M} months, {0:%d}, days old", diff);
Size tam olarak nasıl dönmesini istediğinizden emin değilim, bu yüzden okunabilir bir dize yaptım.
Bu doğrudan bir cevap değil, daha çok eldeki sorun hakkında yarı bilimsel bir bakış açısıyla felsefi bir muhakemedir.
Sorunun, yaşı ölçmek için kullanılan birimi veya kültürü belirtmediğini, çoğu cevabın yıllık tam bir temsili varsaydığını iddia ediyorum. SI-birimi, zaman için second
, doğru jenerik cevabın (elbette normalleştirildiği DateTime
ve göreceli etkilere hiç dikkat etmediği) olmalıdır:
var lifeInSeconds = (DateTime.Now.Ticks - then.Ticks)/TickFactor;
Hıristiyanlığın yıl cinsinden yaşını hesaplamak için:
var then = ... // Then, in this case the birthday
var now = DateTime.UtcNow;
int age = now.Year - then.Year;
if (now.AddYears(-age) < then) age--;
Finansta, genellikle Gün Sayısı Fraksiyonu olarak adlandırılan bir şeyi hesaplarken benzer bir sorun vardır , bu da belirli bir dönem için kabaca birkaç yıldır. Ve yaş sorunu gerçekten bir zaman ölçme sorunudur.
Fiili / fiili (tüm günleri "doğru" sayarak) kuralına örnek:
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;
Genel olarak zamanı ölçmenin bir diğer yaygın yolu da "serileştirmektir" (bu tarih sözleşmesini adlandıran ahbap ciddiye alınmış olmalıdır):
DateTime start, end = .... // Whatever, assume start is before end
int days = (end - start).Days;
Göreli bir çağın saniye cinsinden ne kadar sürmesi gerektiğini merak ediyorum, şimdiye kadar kişinin yaşamı boyunca dünya çapında güneş döngülerinin kabaca yaklaşıklaştırılmasından daha yararlı hale geliyor :) Veya başka bir deyişle, bir döneme yer verilmesi gerektiğinde veya geçerli olması için hareketi temsil eden bir işlev :)
İşte bir çözüm.
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);
Bu, 28 Şubat'ın herhangi bir yılına kıyasla 29 Şubat'ın doğum gününü çözebilen en doğru cevaplardan biridir.
public int GetAge(DateTime birthDate)
{
int age = DateTime.Now.Year - birthDate.Year;
if (birthDate.DayOfYear > DateTime.Now.DayOfYear)
age--;
return age;
}
Yaşı hesaplamak için özelleştirilmiş bir yöntemim ve yardımcı olması durumunda bir bonus doğrulama mesajı var:
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
}
Yöntem burada arayın ve datetime değerini (sunucu ABD yerel ayarına ayarlanmışsa AA / gg / yyyy) iletin. Bunu bir ileti kutusu veya görüntülenecek herhangi bir kapla değiştirin:
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
Mesajı istediğiniz şekilde biçimlendirebileceğinizi unutmayın.
Bu çözüme ne dersiniz?
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;
}
Aşağıdaki yaklaşım ( .NET sınıfı DateDiff için Zaman Dönemi Kitaplığından ayıkla ) kültür bilgisi takvimini dikkate alır:
// ----------------------------------------------------------------------
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
Kullanımı:
// ----------------------------------------------------------------------
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
Bu klasik soru, Noda Time çözümünü hak ediyor .
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;
}
Kullanımı:
LocalDate dateOfBirth = new LocalDate(1976, 8, 27);
int age = GetAge(dateOfBirth);
Ayrıca aşağıdaki geliştirmelerle de ilgilenebilirsiniz:
Saati IClock
kullanmak yerine kullanmak SystemClock.Instance
, test edilebilirliği artıracaktır.
Hedef saat dilimi büyük olasılıkla değişecektir, bu yüzden bir DateTimeZone
parametre de istersiniz .
Bu konuyla ilgili blog gönderime de bakın: Doğum Günlerini ve Diğer Yıldönümlerini Ele Alma
Bir kişinin yaşının doğru bir Yıl hesaplaması için ScArcher2'nin çözümünü kullandım, ancak bunu daha da ileriye götürmek ve Yıllarla birlikte Ay ve Günlerini hesaplamak zorunda kaldım.
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;
}
Mark Soen'in cevabında küçük bir değişiklik yaptım : Üçüncü satırı yeniden yazdım, böylece ifade biraz daha kolay ayrıştırılabilir.
public int AgeInYears(DateTime bday)
{
DateTime now = DateTime.Today;
int age = now.Year - bday.Year;
if (bday.AddYears(age) > now)
age--;
return age;
}
Ayrıca açıklık uğruna bir işlev haline getirdim.