web-dev-qa-db-ja.com

IOSで「1日前」、「数分前」のように日付を文字列にフォーマットする方法は?

ここでJSON解析データを含むアプリケーションを作成します。これは「2014-12-0208:00:42」のような日付を含むJSON解析データです。次に、この日付を次のような形式「12FEB2014」に変換します。

NSDateFormatter * dateFormatter = [[NSDateFormatter alloc]init];
[dateFormatter setDateFormat:@"yyyy-MM-dd hh:mm:ss"];
NSString *date=[dict valueForKey:@"post_date"];
NSDate * dateNotFormatted = [dateFormatter dateFromString:date];
[dateFormatter setDateFormat:@"d MMM YYYY"];
NSString * dateFormatted = [dateFormatter stringFromDate:dateNotFormatted];
cell.timeLabel.text=[dateFormatted uppercaseString];

正常に動作していますが、このdateFormatted文字列を「OneDay Ago」、「MinutesAgo」に変換したいと思います。私はこの質問が以前に何度も尋ねられることを知っています。

17
user4202773

IOS 8以降、NSDateComponentsFormatterを使用すると、多くのヘルプ(localizationを含む)を取得できます。注:「2日、3時間、5分前」のような文字列を返したい場合は、コンポーネントフォーマッタのallowedUnitsを変更することで、文字列が表示する粒度を簡単に変更できます。

Swift 4:

func timeAgoStringFromDate(date: Date) -> String? {
    let formatter = DateComponentsFormatter()
    formatter.unitsStyle = .full

    let now = Date()

    let calendar = NSCalendar.current
    let components1: Set<Calendar.Component> = [.year, .month, .weekOfMonth, .day, .hour, .minute, .second]
    let components = calendar.dateComponents(components1, from: date, to: now)

    if components.year ?? 0 > 0 {
        formatter.allowedUnits = .year
    } else if components.month ?? 0 > 0 {
        formatter.allowedUnits = .month
    } else if components.weekOfMonth ?? 0 > 0 {
        formatter.allowedUnits = .weekOfMonth
    } else if components.day ?? 0 > 0 {
        formatter.allowedUnits = .day
    } else if components.hour ?? 0 > 0 {
        formatter.allowedUnits = [.hour]
    } else if components.minute ?? 0 > 0 {
        formatter.allowedUnits = .minute
    } else {
        formatter.allowedUnits = .second
    }

    let formatString = NSLocalizedString("%@ left", comment: "Used to say how much time has passed. e.g. '2 hours ago'")

    guard let timeString = formatter.string(for: components) else {
        return nil
    }
    return String(format: formatString, timeString)
}

let str = timeAgoStringFromDate(date: Date().addingTimeInterval(-11000))
// Result: "3 hours, 3 minutes left"

スイフト:

class func timeAgoStringFromDate(date: NSDate) -> NSString? {
    let formatter = NSDateComponentsFormatter()
    formatter.unitsStyle = .Full

    let now = NSDate()

    let calendar = NSCalendar.currentCalendar()
    let components = calendar.components([NSCalendarUnit.Year, .Month, .WeekOfMonth, .Day, .Hour, .Minute, .Second],
        fromDate: date,
        toDate: now,
        options:NSCalendarOptions(rawValue: 0))

    if components.year > 0 {
        formatter.allowedUnits = .Year
    } else if components.month > 0 {
        formatter.allowedUnits = .Month
    } else if components.weekOfMonth > 0 {
        formatter.allowedUnits = .WeekOfMonth
    } else if components.day > 0 {
        formatter.allowedUnits = .Day
    } else if components.hour > 0 {
        formatter.allowedUnits = .Hour
    } else if components.minute > 0 {
        formatter.allowedUnits = .Minute
    } else {
        formatter.allowedUnits = .Second
    }

    let formatString = NSLocalizedString("%@ ago", comment: "Used to say how much time has passed. e.g. '2 hours ago'")

    guard let timeString = formatter.stringFromDateComponents(components) else {
        return nil
    }
    return String(format: formatString, timeString)
}

Objective-C:

+ (NSString *)timeAgoStringFromDate:(NSDate *)date {
    NSDateComponentsFormatter *formatter = [[NSDateComponentsFormatter alloc] init];
    formatter.unitsStyle = NSDateComponentsFormatterUnitsStyleFull;

    NSDate *now = [NSDate date];

    NSCalendar *calendar = [NSCalendar currentCalendar];
    NSDateComponents *components = [calendar components:(NSCalendarUnitYear|NSCalendarUnitMonth|NSCalendarUnitWeekOfMonth|NSCalendarUnitDay|NSCalendarUnitHour|NSCalendarUnitMinute|NSCalendarUnitSecond)
                                               fromDate:date
                                                 toDate:now
                                                options:0];

    if (components.year > 0) {
        formatter.allowedUnits = NSCalendarUnitYear;
    } else if (components.month > 0) {
        formatter.allowedUnits = NSCalendarUnitMonth;
    } else if (components.weekOfMonth > 0) {
        formatter.allowedUnits = NSCalendarUnitWeekOfMonth;
    } else if (components.day > 0) {
        formatter.allowedUnits = NSCalendarUnitDay;
    } else if (components.hour > 0) {
        formatter.allowedUnits = NSCalendarUnitHour;
    } else if (components.minute > 0) {
        formatter.allowedUnits = NSCalendarUnitMinute;
    } else {
        formatter.allowedUnits = NSCalendarUnitSecond;
    }

    NSString *formatString = NSLocalizedString(@"%@ ago", @"Used to say how much time has passed. e.g. '2 hours ago'");

    return [NSString stringWithFormat:formatString, [formatter stringFromDateComponents:components]];
}
22
jDutton

@jDuttonの簡略化された実装

Swift4Swift

extension Date {
   var timestampString: String? {
      let formatter = DateComponentsFormatter()
      formatter.unitsStyle = .full
      formatter.maximumUnitCount = 1
      formatter.allowedUnits = [.year, .month, .day, .hour, .minute, .second]

      guard let timeString = formatter.string(from: self, to: Date()) else {
           return nil
      }

      let formatString = NSLocalizedString("%@ ago", comment: "")
      return String(format: formatString, timeString)
   }
}

Swift2

extension NSDate {
   var timestampString: String? {
      let formatter = NSDateComponentsFormatter()
      formatter.unitsStyle = .Full
      formatter.maximumUnitCount = 1
      formatter.allowedUnits = [.Year, .Month, .Day, .Hour, .Minute, .Second]

      guard let timeString = formatter.stringFromDate(self, toDate: NSDate()) else {
         return nil
      }

      let formatString = NSLocalizedString("%@ ago", comment: "")
      return String(format: formatString, timeString)
   }
}
9
Igor Palaguta

私はそれを達成するために DateTools を使用しました。 Cocoapodsのインストールをサポートします。

そのように動作します。

NSDate *timeAgoDate = [NSDate dateWithTimeIntervalSinceNow:-4];
NSLog(@"Time Ago: %@", timeAgoDate.timeAgoSinceNow);
NSLog(@"Time Ago: %@", timeAgoDate.shortTimeAgoSinceNow);

//Output:
//Time Ago: 4 seconds ago
//Time Ago: 4s

Githubページから取得( https://github.com/MatthewYork/DateTools

8
Ikmal Ezzani

Swift 5でRelativeDateTimeFormatterを使用します。

let formatter = RelativeDateTimeFormatter()

formatter.localizedString(from: DateComponents(day: -1)) // "1 day ago"
formatter.localizedString(from: DateComponents(hour: 2)) // "in 2 hours"
formatter.localizedString(from: DateComponents(minute: 45)) // "in 45 minutes"

dateTimeStyleを設定して、ローカライズされた直示ステートメントを取得します。 -

  formatter.dateTimeStyle = .named 
  formatter.localizedString(from: DateComponents(day: -1)) // "yesterday"
6
rustylepord

この関数は、秒から年までNSStringを返します。日付が「1秒前」の場合や「1分前」や「1年前」の場合など、同様に戻ります。

+(NSString*)HourCalculation:(NSString*)PostDate

{
    NSDateFormatter *dateFormat = [[NSDateFormatter alloc] init];
    [dateFormat setDateFormat:@"yyyy-MM-dd HH:mm:ss"];
    NSTimeZone *gmt = [NSTimeZone timeZoneWithAbbreviation:@"GMT"];
    [dateFormat setTimeZone:gmt];
    NSDate *ExpDate = [dateFormat dateFromString:PostDate];
    NSCalendar *calendar = [NSCalendar currentCalendar];
    NSDateComponents *components = [calendar components:(NSDayCalendarUnit|NSWeekCalendarUnit|NSMonthCalendarUnit|NSYearCalendarUnit|NSHourCalendarUnit | NSMinuteCalendarUnit | NSSecondCalendarUnit) fromDate:ExpDate toDate:[NSDate date] options:0];
    NSString *time;
    if(components.year!=0)
    {
        if(components.year==1)
        {
            time=[NSString stringWithFormat:@"%ld year",(long)components.year];
        }
        else
        {
            time=[NSString stringWithFormat:@"%ld years",(long)components.year];
        }
    }
    else if(components.month!=0)
    {
        if(components.month==1)
        {
            time=[NSString stringWithFormat:@"%ld month",(long)components.month];
        }
        else
        {
            time=[NSString stringWithFormat:@"%ld months",(long)components.month];
        }
    }
    else if(components.week!=0)
    {
        if(components.week==1)
        {
            time=[NSString stringWithFormat:@"%ld week",(long)components.week];
        }
        else
        {
            time=[NSString stringWithFormat:@"%ld weeks",(long)components.week];
        }
    }
    else if(components.day!=0)
    {
        if(components.day==1)
        {
            time=[NSString stringWithFormat:@"%ld day",(long)components.day];
        }
        else
        {
            time=[NSString stringWithFormat:@"%ld days",(long)components.day];
        }
    }
    else if(components.hour!=0)
    {
        if(components.hour==1)
        {
            time=[NSString stringWithFormat:@"%ld hour",(long)components.hour];
        }
        else
        {
            time=[NSString stringWithFormat:@"%ld hours",(long)components.hour];
        }
    }
    else if(components.minute!=0)
    {
        if(components.minute==1)
        {
            time=[NSString stringWithFormat:@"%ld min",(long)components.minute];
        }
        else
        {
            time=[NSString stringWithFormat:@"%ld mins",(long)components.minute];
        }
    }
    else if(components.second>=0)
    {
        if(components.second==0)
        {
            time=[NSString stringWithFormat:@"1 sec"];
        }
        else
        {
            time=[NSString stringWithFormat:@"%ld secs",(long)components.second];
        }
    }
    return [NSString stringWithFormat:@"%@ ago",time];
}
6

Swift 3、Xcodeバージョン8.2.1:

func elapsedTime () -> String
{
    //just to create a date that is before the current time
    let dateFormatter = DateFormatter()
    dateFormatter.dateFormat = "yyyy-MM-dd HH:mm:ss"
    dateFormatter.locale = Locale(identifier: "en_GB")
    let before = dateFormatter.date(from: "2016-11-16 16:28:17")!

    let formatter = DateComponentsFormatter()
    formatter.unitsStyle = .full
    formatter.zeroFormattingBehavior = .dropAll
    formatter.maximumUnitCount = 1 //increase it if you want more precision
    formatter.allowedUnits = [.year, .month, .weekOfMonth, .day, .hour, .minute]
    formatter.includesApproximationPhrase = true //to write "About" at the beginning


    let formatString = NSLocalizedString("%@ ago", comment: "Used to say how much time has passed. e.g. '2 hours ago'")
    let timeString = formatter.string(from: before, to: Date())
    return String(format: formatString, timeString!)
}
5
Kasra Babaei

1つのオプションは、現在の時刻と前の時刻を比較し、スイッチケースを実装して、必要な文字列を取得することです。

または、次のライブラリのいずれかを使用できます。

  1. FormatterKit
  2. NSDate-Time-Ago

Swiftのライブラリを作成しました。ここから入手できます: 過去

4
Midhun MP

ここにも例があります: https://github.com/tneginareb/Time-Ago-iOS

入力変数「timeAtMiliseconds」を変更できます。私の例では、日付の形式はミリ秒でした。

+(NSString *) parseDate: (long)dayago{

if(dayago == 0)
    return @"";

NSString *timeLength =[NSString stringWithFormat:@"%lu",dayago];
NSUInteger length = [timeLength length];
if(length == 13){
    dayago = dayago / 1000;

}

NSDateFormatter *dateFormatter = [[NSDateFormatter alloc] init];
[dateFormatter setDateFormat:@"yyyy-MM-dd HH:mm:ss"];
NSDate *createdDate = [NSDate dateWithTimeIntervalSince1970:dayago];
NSTimeZone *timeZone = [NSTimeZone timeZoneWithName:@"GMT"];
[dateFormatter setTimeZone:timeZone];
NSString *formattedDateString = [dateFormatter stringFromDate:createdDate];

if([self todaysIsLess:formattedDateString]){
    return @"";
}


NSString *timeLeft;
NSDate *currentDate =[NSDate date];
NSInteger seconds = [currentDate timeIntervalSinceDate:createdDate];




NSInteger days = (int) (floor(seconds / (3600 * 24)));
if(days) seconds -= days * 3600 * 24;

NSInteger hours = (int) (floor(seconds / 3600));
if(hours) seconds -= hours * 3600;

NSInteger minutes = (int) (floor(seconds / 60));
if(minutes) seconds -= minutes * 60;

if(days) {
    timeLeft = [NSString stringWithFormat:@"%ld Days", (long)days*-1];
}
else if(hours) { timeLeft = [NSString stringWithFormat: @"%ld H", (long)hours*-1];
}
else if(minutes) { timeLeft = [NSString stringWithFormat: @"%ld M", (long)minutes*-1];
}
else if(seconds)
    timeLeft = [NSString stringWithFormat: @"%lds", (long)seconds*-1];
//NSLog(@"Days: %lu <>  Hours: %lu <> Minutes: %lu  <> Seconds: %lu",days,hours,minutes,seconds);

NSString *result = [[NSString alloc]init];

if (days == 0) {
    if (hours == 0) {
        if (minutes == 0) {
            if (seconds < 0) {
                return @"0s";
            } else {
                if (seconds < 59) {
                    return @"now";
                }
            }
        } else {
            return  [NSString stringWithFormat:@"%lum",minutes];
        }
    } else {
        return  [NSString stringWithFormat:@"%luh",hours];
    }

} else {
    if (days <= 29) {
        return  [NSString stringWithFormat: @"%lud",days];
    }
    if (days > 29 && days <= 58) {
        return  @"1Mth";
    }
    if (days > 58 && days <= 87) {
        return  @"2Mth";
    }
    if (days > 87 && days <= 116) {
        return  @"3Mth";
    }
    if (days > 116 && days <= 145) {
        return  @"4Mth";
    }
    if (days > 145 && days <= 174) {
        return  @"5Mth";
    }
    if (days > 174 && days <= 203) {
        return  @"6Mth";
    }
    if (days > 203 && days <= 232) {
        return  @"7Mth";
    }
    if (days > 232 && days <= 261) {
        return  @"8Mth";
    }
    if (days > 261 && days <= 290) {
        return  @"9Mth";
    }
    if (days > 290 && days <= 319) {
        return  @"10Mth";
    }
    if (days > 319 && days <= 348) {
        return  @"11Mth";
    }
    if (days > 348 && days <= 360) {
        return  @"12Mth";
    }

    if (days > 360 && days <= 720) {
        return  @"1Yrs";
    }

    if (days > 720) {

        NSDateFormatter *formatter1 = [[NSDateFormatter alloc] init];
        [formatter1 setDateFormat:@"MM/dd/yyyy"];
        NSString *fdisplay = [formatter1 stringFromDate:createdDate];
        return fdisplay;
    }

}

return result;
}


-(BOOL) todaysIsLess: (NSString *)dateToCompare{
NSTimeZone *timeZone = [NSTimeZone timeZoneWithName:@"GMT"];
NSDateFormatter *dateFormatter1 = [[NSDateFormatter alloc] init];
[dateFormatter1 setDateFormat:@"yyyy-MM-dd HH:mm:ss"];
[dateFormatter1 setTimeZone:timeZone];
NSDate *today = [NSDate date];
NSDate *newDate = [dateFormatter1 dateFromString:dateToCompare];
NSComparisonResult result;
result = [today compare:newDate];
if(result==NSOrderedAscending)
    return true;
return false;
}

使用方法の例:

 long createdDate = 1433183206;//1433183206 --> 01 June 2015
NSLog(@"Parse Date: %@",[self parseDate:createdDate]); 
4
Gent Berani
//String to store the date from json response
   NSString *firstDateString;

 //Dateformatter as per the response date
NSDateFormatter *df=[[NSDateFormatter alloc] init];

// Set the date format according to your needs
[df setTimeZone:[NSTimeZone timeZoneWithName:@"America/Toronto"]];

//[df setDateFormat:@"MM/dd/YYYY HH:mm "]  // for 24 hour format
[df setDateFormat:@"YYYY-MM-dd HH:mm:ss"]; // 12 hour format


   firstDateString = value from json;    

 //converting the date to required format.
 NSDate *date1 = [df dateFromString:firstDateString];
  NSDate *date2 = [df dateFromString:[df stringFromDate:[NSDate date]]];  

    //Calculating the time interval
    NSTimeInterval secondsBetween = [date2 timeIntervalSinceDate:date1];

    int numberOfDays = secondsBetween / 86400;
    int timeResult = ((int)secondsBetween % 86400);
    int hour = timeResult / 3600;
    int hourResult = ((int)timeResult % 3600);
    int minute = hourResult / 60;


    if(numberOfDays > 0)
    {
        if(numberOfDays == 1)
        {
            Nslog("%@", [NSString stringWithFormat:@"%d %@",numberOfDays,@"day ago"]);

        }
        else
        {
            Nslog("%@", [NSString stringWithFormat:@"%d %@",numberOfDays,@"days ago"]);
        }
    }
    else if(numberOfDays == 0 && hour > 0)
    {
        if(numberOfDays == 0 && hour == 1)
        {
            cell.newsDateLabel.text = [NSString stringWithFormat:@"%d %@",hour,@"hour ago"];
        }
        else
        {
            cell.newsDateLabel.text = [NSString stringWithFormat:@"%d %@",hour,NSLocalizedString(@"news_hours_ago",nil)];
        }
    }
    else if(numberOfDays == 0 && hour == 0 && minute > 0)
    {
        if(numberOfDays == 0 && hour == 0 && minute == 1)
        {
            cell.newsDateLabel.text = [NSString stringWithFormat:@"%d %@",minute,@"minute ago"];

        }
        else
        {
            cell.newsDateLabel.text = [NSString stringWithFormat:@"%d %@",minute,NSLocalizedString(@"news_minutes_ago",nil)];
        }

    }
    else
    {
        cell.newsDateLabel.text = [NSString stringWithFormat:NSLocalizedString(@"news_seconds_ago",nil)];
    }
1
madhu

次のコードを試してください。

+ (NSString*) getTimestampForDate:(NSDate*)sourceDate {

    // Timezone Offset compensation

    NSTimeZone* sourceTimeZone = [NSTimeZone timeZoneWithName:@"America/New_York"];
    NSTimeZone* destinationTimeZone = [NSTimeZone systemTimeZone];

    NSInteger sourceGMTOffset = [sourceTimeZone secondsFromGMTForDate:sourceDate];
    NSInteger destinationGMTOffset = [destinationTimeZone secondsFromGMTForDate:sourceDate];

    NSTimeInterval interval = destinationGMTOffset - sourceGMTOffset;

    NSDate* destinationDate = [[NSDate alloc] initWithTimeInterval:interval sinceDate:sourceDate];

    // Timestamp calculation (based on correction)

    NSCalendar* currentCalendar = [NSCalendar currentCalendar];
    NSCalendarUnit unitFlags = NSYearCalendarUnit | NSMonthCalendarUnit |  NSDayCalendarUnit | NSHourCalendarUnit | NSMinuteCalendarUnit;

    NSDateComponents *differenceComponents = [currentCalendar components:unitFlags fromDate:destinationDate toDate:[NSDate date] options:0];

    NSInteger yearDifference = [differenceComponents year];
    NSInteger monthDifference = [differenceComponents month];
    NSInteger dayDifference = [differenceComponents day];
    NSInteger hourDifference = [differenceComponents hour];
    NSInteger minuteDifference = [differenceComponents minute];

    NSString* timestamp;

    if (yearDifference == 0
        && monthDifference == 0
        && dayDifference == 0
        && hourDifference == 0
        && minuteDifference <= 2) {

        //"Just Now"

        timestamp = @"Just Now";

    } else if (yearDifference == 0
               && monthDifference == 0
               && dayDifference == 0
               && hourDifference == 0
               && minuteDifference < 60) {

        //"13 minutes ago"

        timestamp = [NSString stringWithFormat:@"%ld minutes ago", (long)minuteDifference];

    } else if (yearDifference == 0
               && monthDifference == 0
               && dayDifference == 0
               && hourDifference == 1) {

        //"1 hour ago" EXACT

        timestamp = @"1 hour ago";

    } else if (yearDifference == 0
               && monthDifference == 0
               && dayDifference == 0
               && hourDifference < 24) {

        timestamp = [NSString stringWithFormat:@"%ld hours ago", (long)hourDifference];

    } else {

        NSDateFormatter *formatter = [[NSDateFormatter alloc] init];
        [formatter setLocale:[NSLocale currentLocale]];

        NSString* strDate, *strDate2 = @"";

        if (yearDifference == 0
            && monthDifference == 0
            && dayDifference == 1) {

            //"Yesterday at 10:23 AM", "Yesterday at 5:08 PM"

            [formatter setDateFormat:@"hh:mm a"];
            strDate = [formatter stringFromDate:destinationDate];

            timestamp = [NSString stringWithFormat:@"Yesterday at %@", strDate];

        } else if (yearDifference == 0
                   && monthDifference == 0
                   && dayDifference < 7) {

            //"Tuesday at 7:13 PM"

            [formatter setDateFormat:@"EEEE"];
            strDate = [formatter stringFromDate:destinationDate];
            [formatter setDateFormat:@"hh:mm a"];
            strDate2 = [formatter stringFromDate:destinationDate];

            timestamp = [NSString stringWithFormat:@"%@ at %@", strDate, strDate2];

        } else if (yearDifference == 0) {

            //"July 4 at 7:36 AM"

            [formatter setDateFormat:@"MMMM d"];
            strDate = [formatter stringFromDate:destinationDate];
            [formatter setDateFormat:@"hh:mm a"];
            strDate2 = [formatter stringFromDate:destinationDate];

            timestamp = [NSString stringWithFormat:@"%@ at %@", strDate, strDate2];

        } else {

            //"March 24 2010 at 4:50 AM"

            [formatter setDateFormat:@"d MMMM yyyy"];
            strDate = [formatter stringFromDate:destinationDate];
            [formatter setDateFormat:@"hh:mm a"];
            strDate2 = [formatter stringFromDate:destinationDate];

            timestamp = [NSString stringWithFormat:@"%@ at %@", strDate, strDate2];
        }
    }

    return timestamp;
}

注:最初の数行はタイムゾーンオフセット補正用です。不要な場合はコメントアウトし、sourceDateが使用されている場合は常にdestinationDateを使用してください。

0
n00bProgrammer
        NSDateFormatter *dateFormat=[[NSDateFormatter alloc]init];
    [dateFormat setDateFormat:@"MM"];
    NSDate *todayDate = [NSDate date];
    NSDate *yourJSONDate;
    if ([[dateFormat stringFromDate:todayDate] integerValue]==[[dateFormat stringFromDate:yourJSONDate] integerValue]) {
        //month is same
        [dateFormat setDateFormat:@"dd"];
        if ([[dateFormat stringFromDate:todayDate] integerValue]==[[dateFormat stringFromDate:yourJSONDate] integerValue]) {
        //date is same

        }
        else{
            //date differ
            // now here you can check value for date

        }

    }
    else{
        //month differ
        // now here you can check value for month
    }

これを試して。同じまたは異なる値を取得したら、値を再度確認して文字列を作成できます。 ifループでは、他の回答を埋め込んだり、要件に応じてより具体的にしたりできます。

0
NewStackUser

-(NSString *)getChatListFormatDate{ NSString *differencDate = @""; NSDate *lastSeenDate = self; NSDate *currentDate = [NSDate date]; NSString *timeDateStr = [self getStringFromDateFormat:@"hh:mm a"]; NSString *dayOfWeekString = [lastSeenDate getStringFromDateFormat:@"EEEE"]; NSCalendarUnit units = NSCalendarUnitDay | NSCalendarUnitWeekOfMonth | NSCalendarUnitWeekOfYear | NSCalendarUnitMonth | NSCalendarUnitYear; NSCalendar *calendar = [[NSCalendar alloc] initWithCalendarIdentifier:NSCalendarIdentifierGregorian]; NSDateComponents *calendarLastSeen = [calendar components:units fromDate:lastSeenDate]; NSDateComponents *calendarToday = [calendar components:units fromDate:currentDate]; BOOL isThisYear = calendarLastSeen.year == calendarToday.year; BOOL isThisMonth = calendarLastSeen.month == calendarToday.month; BOOL isThisWeekOfMonth = calendarLastSeen.weekOfMonth == calendarToday.weekOfMonth; NSInteger dayDiff = calendarToday.day - calendarLastSeen.day; if (isThisYear && isThisMonth && dayDiff == 0) { differencDate = timeDateStr;//Today } else if (isThisYear && isThisMonth && dayDiff == 1){ differencDate = @"Yesterday"; } else if (isThisYear && isThisMonth && isThisWeekOfMonth){ differencDate = dayOfWeekString;//apply Date } else { NSString *strDate = [self getStringFromDateFormat:@"d/MM/yy"]; differencDate = strDate; } return differencDate; } .

0
Ravi Kumar