Come faccio ad aggiungere 1 giorno a un NSDate?


320

Fondamentalmente, come dice il titolo. Mi chiedo come potrei aggiungere 1 giorno a un NSDate.

Quindi se fosse:

21st February 2011

Diventerebbe:

22nd February 2011

O se fosse:

31st December 2011

Diventerebbe:

1st January 2012.

4
Si noti che un NSDate non rappresenta una data, rappresenta un punto nel tempo. Quindi include un'ora e una data.
Rog,

4
D'accordo - dovresti usare la risposta di Zack German di seguito. Consulta la Guida alla programmazione di data e ora di Apple .
Ash Furrow,

Scorri verso il basso per soluzioni più recenti (e più brevi)!
Catanore,

Risposte:


711

Swift 5.0:

var dayComponent    = DateComponents()
dayComponent.day    = 1 // For removing one day (yesterday): -1
let theCalendar     = Calendar.current
let nextDate        = theCalendar.date(byAdding: dayComponent, to: Date())
print("nextDate : \(nextDate)")

Obiettivo C:

NSDateComponents *dayComponent = [[NSDateComponents alloc] init];
dayComponent.day = 1;

NSCalendar *theCalendar = [NSCalendar currentCalendar];
NSDate *nextDate = [theCalendar dateByAddingComponents:dayComponent toDate:[NSDate date] options:0];

NSLog(@"nextDate: %@ ...", nextDate);

Questo dovrebbe essere autoesplicativo.


19
È inoltre possibile utilizzare componenti negativi per sottrarre da una data.
DataGraham,

58
Soluzione molto migliore della risposta selezionata
Justin Meiners,

19
+1 per l'utilizzo dei componenti Data anziché l'aggiunta di un giorno del valore di secondi.
Abizern

Sì, funziona bene per l'ora legale. Suggerimento per il controllo dell'ora legale: reimpostare la data e l'ora sul Mac e quindi riavviare il simulatore, quindi seguirà l'ora del sistema.
Rob van den Berg,

2
In Swift è necessario modificare l'ultimo parametro della dateByAddingComponents chiamata inNSCalendarOptions(rawValue: 0)
gfpacheco il

270

Da iOS 8 puoi usare NSCalendar.dateByAddingUnit

Esempio in Swift 1.x:

let today = NSDate()
let tomorrow = NSCalendar.currentCalendar()
    .dateByAddingUnit(
         .CalendarUnitDay, 
         value: 1, 
         toDate: today, 
         options: NSCalendarOptions(0)
    )

Swift 2.0:

let today = NSDate()
let tomorrow = NSCalendar.currentCalendar()
    .dateByAddingUnit(
        .Day, 
        value: 1, 
        toDate: today, 
        options: []
    )

Swift 3.0:

let today = Date()
let tomorrow = Calendar.current.date(byAdding: .day, value: 1, to: today)

5
Sono solo io, o non sarebbe molto più semplice per Swift avere qualcosa di simile date.add(.days, 1)? * va e costruisce un'estensione
quemeful

2
@quemeful extension Date { func adding(_ component: Calendar.Component, _ value: Int) -> Date? { return Calendar.current.date(byAdding: component, value: value, to: self) } }useDate().adding(.day, 1) // "Jun 6, 2019 at 5:35 PM"
Leo Dabus,

82

Aggiornato per Swift 5

let today = Date()
let nextDate = Calendar.current.date(byAdding: .day, value: 1, to: today)

Obiettivo C

 NSCalendar *gregorian = [[NSCalendar alloc] initWithCalendarIdentifier:NSGregorianCalendar];
 // now build a NSDate object for the next day
 NSDateComponents *offsetComponents = [[NSDateComponents alloc] init];
 [offsetComponents setDay:1];
 NSDate *nextDate = [gregorian dateByAddingComponents:offsetComponents toDate: [NSDate date] options:0];

34

iOS 8+, OSX 10.9+, Objective-C

NSCalendar *cal = [NSCalendar currentCalendar];    
NSDate *tomorrow = [cal dateByAddingUnit:NSCalendarUnitDay 
                                   value:1 
                                  toDate:[NSDate date] 
                                 options:0];

Si noti che non è possibile mascherare l'unità qui (utilizzare solo una).
Catanore,

31

Un lavoro implementazione Swift 3+ sulla base di highmaintenance di risposta e di vikingosegundo commento. Questa estensione data ha anche opzioni aggiuntive per cambiare anno, mese e ora:

extension Date {

    /// Returns a Date with the specified amount of components added to the one it is called with
    func add(years: Int = 0, months: Int = 0, days: Int = 0, hours: Int = 0, minutes: Int = 0, seconds: Int = 0) -> Date? {
        let components = DateComponents(year: years, month: months, day: days, hour: hours, minute: minutes, second: seconds)
        return Calendar.current.date(byAdding: components, to: self)
    }

    /// Returns a Date with the specified amount of components subtracted from the one it is called with
    func subtract(years: Int = 0, months: Int = 0, days: Int = 0, hours: Int = 0, minutes: Int = 0, seconds: Int = 0) -> Date? {
        return add(years: -years, months: -months, days: -days, hours: -hours, minutes: -minutes, seconds: -seconds)
    }

}

L'uso per aggiungere solo un giorno come richiesto da OP sarebbe quindi:

let today = Date() // date is then today for this example
let tomorrow = today.add(days: 1)

2
È possibile abbreviare il codice in modo massiccio utilizzando i componenti della data.
vikingosegundo,

Hai ragione, anche se secondo me ha degli svantaggi: - il codice che utilizza l'estensione non sembra pulito - apre alcune opzioni non necessarie con componenti che hanno poco senso come let foo = Date().add([.calendar: 1, .yearForWeekOfYear: 3] se stessi aggiungendo la soluzione alternativa alla mia risposta . Grazie per il tuo suggerimento, @vikingosegundo!
Benno Kress,

3
bene, in realtà intendevo qualcosa di diverso: gist.github.com/vikingosegundo/31ddb14920415ef444a9ab550411d4ff
vikingosegundo


13

Utilizzare la funzione seguente e utilizzare il parametro giorni per ottenere la data giorni Avanti / giorni Dietro passa semplicemente il parametro come positivo per la data futura o negativo per le date precedenti:

+ (NSDate *) getDate:(NSDate *)fromDate daysAhead:(NSUInteger)days
{
    NSDateComponents *dateComponents = [[NSDateComponents alloc] init];
    dateComponents.day = days;
    NSCalendar *calendar = [NSCalendar currentCalendar];
    NSDate *previousDate = [calendar dateByAddingComponents:dateComponents
                                                     toDate:fromDate
                                                    options:0];
    [dateComponents release];
    return previousDate;
}

10

In fretta

var dayComponenet = NSDateComponents()
dayComponenet.day = 1

var theCalendar = NSCalendar.currentCalendar()
var nextDate = theCalendar.dateByAddingComponents(dayComponenet, toDate: NSDate(), options: nil)

8

È lavoro!

    NSCalendar *calendar = [NSCalendar currentCalendar];
    NSCalendarUnit unit = NSCalendarUnitDay;
    NSInteger value = 1;
    NSDate *today = [NSDate date];
    NSDate *tomorrow = [calendar dateByAddingUnit:unit value:value toDate:today options:NSCalendarMatchStrictly];

Beh, a quanto pare questa domanda è il paradiso del dumping di codice. Quindi nessun motivo per individuarti.
Estratto il

2
la mia risposta è più corretta perché se si utilizza l'opzione NSCalendarWrapComponents (0) è possibile creare la data solo nell'intervallo del mese corrente. Significa che se aggiungi 1 giorno con NSCalendarWrapComponents al 31 gennaio 2016 otterrai 1 gennaio 2016. Con l'opzione NSCalendarMatchStrictly otterrai la prossima data del calendario.
DenZhukov,

8

L'implementazione molto semplice di Swift 3.0 sarebbe:

func dateByAddingDays(inDays: Int) -> Date {
    let today = Date()
    return Calendar.current.date(byAdding: .day, value: inDays, to: today)!
}

5
NSDate *today=[NSDate date];
NSCalendar *calendar = [[NSCalendar alloc] initWithCalendarIdentifier: NSGregorianCalendar];
NSDateComponents *components=[[NSDateComponents alloc] init];
components.day=1;
NSDate *targetDate =[calendar dateByAddingComponents:components toDate:today options: 0];

5

Swift 4.0

extension Date {
    func add(_ unit: Calendar.Component, value: Int) -> Date? {
        return Calendar.current.date(byAdding: unit, value: value, to: self)
    }
}

uso

date.add(.day, 3)!   // adds 3 days
date.add(.day, -14)!   // subtracts 14 days

Nota: se non sai perché le righe di codice terminano con un punto esclamativo, cerca "Swift Optionals" su Google.


3

È possibile utilizzare il metodo NSDate - (id)dateByAddingTimeInterval:(NSTimeInterval)secondsdove secondssarebbe60 * 60 * 24 = 86400


3
AddByTimeInterval di NSDate è stato deprecato in iOS 4 ( bit.ly/vtOzvU ). Utilizzare invece DateByAddingTimeInterval ( bit.ly/vRkFrN ).
Billmaya,

4
i giorni possono avere 23, 24 o 25 ore, a causa dell'ora legale.
vikingosegundo,

3

In Swift 2.1.1 e xcode 7.1 OSX 10.10.5, puoi aggiungere un numero qualsiasi di giorni avanti e indietro usando la funzione

func addDaystoGivenDate(baseDate:NSDate,NumberOfDaysToAdd:Int)->NSDate
{
    let dateComponents = NSDateComponents()
    let CurrentCalendar = NSCalendar.currentCalendar()
    let CalendarOption = NSCalendarOptions()

    dateComponents.day = NumberOfDaysToAdd

    let newDate = CurrentCalendar.dateByAddingComponents(dateComponents, toDate: baseDate, options: CalendarOption)
    return newDate!
}

chiamata di funzione per incrementare la data corrente di 9 giorni

var newDate = addDaystoGivenDate(NSDate(), NumberOfDaysToAdd: 9)
print(newDate)

chiamata di funzione per decrementare la data corrente di 80 giorni

newDate = addDaystoGivenDate(NSDate(), NumberOfDaysToAdd: -80)
 print(newDate)

3

Ecco un metodo generico che consente di aggiungere / sottrarre qualsiasi tipo di unità (Anno / Mese / Giorno / Ora / Secondo ecc.) Nella data specificata.

Utilizzo di Swift 2.2

func addUnitToDate(unitType: NSCalendarUnit, number: Int, date:NSDate) -> NSDate {

    return NSCalendar.currentCalendar().dateByAddingUnit(
        unitType,
        value: number,
        toDate: date,
        options: NSCalendarOptions(rawValue: 0))!

}

print( addUnitToDate(.Day, number: 1, date: NSDate()) ) // Adds 1 Day To Current Date
print( addUnitToDate(.Hour, number: 1, date: NSDate()) ) // Adds 1 Hour To Current Date
print( addUnitToDate(.Minute, number: 1, date: NSDate()) ) // Adds 1 Minute To Current Date

// NOTE: You can use negative values to get backward values too

3
NSDateComponents *dayComponent = [[[NSDateComponents alloc] init] autorelease];
dayComponent.day = 1;

NSCalendar *theCalendar = [NSCalendar currentCalendar];
dateToBeIncremented = [theCalendar dateByAddingComponents:dayComponent toDate:dateToBeIncremented options:0];

Ok - Pensavo che avrebbe funzionato per me. Tuttavia, se lo usi per aggiungere un giorno al 31 marzo 2013, restituirà una data a cui sono state aggiunte solo 23 ore. Potrebbe effettivamente avere le 24, ma l'utilizzo nei calcoli ha solo 23:00 ore aggiunte.

Allo stesso modo, se si va avanti fino al 28 ottobre 2013, il codice aggiunge 25 ore con conseguente data e ora del 2013-10-28 01:00:00.

Per aggiungere un giorno stavo facendo la cosa in alto, aggiungendo:

NSDate *newDate1 = [now dateByAddingTimeInterval:60*60*24*daysToAdd];

Complicato, principalmente a causa dell'ora legale.


una volta all'anno al giorno ha solo 23 ore. una volta 25. e ogni pochi anni ha la durata a 60*60*24 + 1causa dei secondi bisestili. le date devono coprire tutto questo, ed è per questo che la gestione delle date del cacao è davvero fantastica!
vikingosegundo,

2
NSDate *now = [NSDate date];
int daysToAdd = 1;
NSDate *tomorrowDate = [now dateByAddingTimeInterval:60*60*24*daysToAdd];

NSDateFormatter *dateFormatter = [[NSDateFormatter alloc] init];
[dateFormatter setDateFormat:@"EEEE, dd MMM yyyy"];
NSLog(@"%@", [dateFormatter stringFromDate:tomorrowDate]);

2

In breve tempo è possibile effettuare l'estensione per aggiungere il metodo in NSDate

extension NSDate {
    func addNoOfDays(noOfDays:Int) -> NSDate! {
        let cal:NSCalendar = NSCalendar.currentCalendar()
        cal.timeZone = NSTimeZone(abbreviation: "UTC")!
        let comps:NSDateComponents = NSDateComponents()
        comps.day = noOfDays
        return cal.dateByAddingComponents(comps, toDate: self, options: nil)
    }
}

puoi usarlo come

NSDate().addNoOfDays(3)

2

Aggiornamento per Swift 4:

let now = Date() // the current date/time
let oneDayFromNow = Calendar.current.date(byAdding: .day, value: 1, to: now) // Tomorrow with same time of day as now

1

per swift 2.2:

let today = NSDate()
let tomorrow = NSCalendar.currentCalendar().dateByAddingUnit(
        .Day,
        value: 1,
        toDate: today,
        options: NSCalendarOptions.MatchStrictly)

Spero che questo aiuti qualcuno!


1

Swift 4, se tutto ciò di cui hai veramente bisogno è uno spostamento di 24 ore (60 * 60 * 24 secondi) e non "1 giorno di calendario"

Futuro: let dayAhead = Date(timeIntervalSinceNow: TimeInterval(86400.0))

Passato: let dayAgo = Date(timeIntervalSinceNow: TimeInterval(-86400.0))


1

aggiornamento per swift 5

let nextDate = fromDate.addingTimeInterval(60*60*24)

0
NSDate *now = [NSDate date];
NSCalendar *calendar = [[NSCalendar alloc] initWithCalendarIdentifier:NSGregorianCalendar];
NSDateComponents *components = [calendar components:NSYearCalendarUnit|NSMonthCalendarUnit|NSDayCalendarUnit fromDate:now];
NSDate *startDate = [calendar dateFromComponents:components];
NSLog(@"StartDate = %@", startDate);

components.day += 1;
NSDate *endDate = [calendar dateFromComponents:components];
NSLog(@"EndDate = %@", endDate);

0

Ho avuto lo stesso problema; utilizzare un'estensione per NSDate:

- (id)dateByAddingYears:(NSUInteger)years
                 months:(NSUInteger)months
                   days:(NSUInteger)days
                  hours:(NSUInteger)hours
                minutes:(NSUInteger)minutes
                seconds:(NSUInteger)seconds
{
    NSDateComponents * delta = [[[NSDateComponents alloc] init] autorelease];
    NSCalendar * gregorian = [[[NSCalendar alloc]
                               initWithCalendarIdentifier:NSCalendarIdentifierGregorian] autorelease];

    [delta setYear:years];
    [delta setMonth:months];
    [delta setDay:days];
    [delta setHour:hours];
    [delta setMinute:minutes];
    [delta setSecond:seconds];

    return [gregorian dateByAddingComponents:delta toDate:self options:0];
}

0

Swift 2.0

let today = NSDate()    
let calendar = NSCalendar.currentCalendar()
let tomorrow = calendar.dateByAddingUnit(.Day, value: 1, toDate: today, options: NSCalendarOptions.MatchFirst)

0

In swift 4 o swift 5, puoi usare come muggito:

    let date = Date()
    let yesterday = Calendar.current.date(byAdding: .day, value: -1, to: date)
    let dateFormatter = DateFormatter()
    dateFormatter.dateFormat = "yyyy-MM-dd"
    let yesterday_date = dateFormatter.string(from: yesterday!)
    print("yesterday->",yesterday_date)

produzione:

Current date: 2020-03-02
yesterday date: 2020-03-01

0

Estensione String: Converti String_Date> Data

extension String{
  func DateConvert(oldFormat:String)->Date{ // format example: yyyy-MM-dd HH:mm:ss 
    let isoDate = self
    let dateFormatter = DateFormatter()
    dateFormatter.locale = Locale(identifier: "en_US_POSIX") // set locale to reliable US_POSIX
    dateFormatter.dateFormat = oldFormat
    return dateFormatter.date(from:isoDate)!
  }
}

Estensione data: Converti data> Stringa

extension Date{
 func DateConvert(_ newFormat:String)-> String{
    let formatter = DateFormatter()
    formatter.dateFormat = newFormat
    return formatter.string(from: self)
 }
}

Estensione data: Ottieni +/- Data

extension String{
  func next(day:Int)->Date{
    var dayComponent    = DateComponents()
    dayComponent.day    = day
    let theCalendar     = Calendar.current
    let nextDate        = theCalendar.date(byAdding: dayComponent, to: Date())
    return nextDate!
  }

 func past(day:Int)->Date{
    var pastCount = day
    if(pastCount>0){
        pastCount = day * -1
    }
    var dayComponent    = DateComponents()
    dayComponent.day    = pastCount
    let theCalendar     = Calendar.current
    let nextDate        = theCalendar.date(byAdding: dayComponent, to: Date())
    return nextDate!
 }
}

Uso:

let today = Date()
let todayString = "2020-02-02 23:00:00"
let newDate = today.DateConvert("yyyy-MM-dd HH:mm:ss") //2020-02-02 23:00:00
let newToday = todayString.DateConvert(oldFormat: "yyyy-MM-dd HH:mm:ss")//2020-02-02
let newDatePlus = today.next(day: 1)//2020-02-03 23:00:00
let newDateMinus = today.past(day: 1)//2020-02-01 23:00:00

riferimento: da più domande
Come faccio ad aggiungere 1 giorno a un NSDate?
funzione matematica per convertire positivo in negativo e negativo in positivo?
Conversione di NSString in NSDate (e viceversa)


-1

Usa il seguente codice:

NSDate *now = [NSDate date];
int daysToAdd = 1;
NSDate *newDate1 = [now dateByAddingTimeInterval:60*60*24*daysToAdd];

Come

addTimeInterval

è ora obsoleto.


3
i giorni possono avere 23, 24 o 25 ore, a causa dell'ora legale
vikingosegundo,
Utilizzando il nostro sito, riconosci di aver letto e compreso le nostre Informativa sui cookie e Informativa sulla privacy.
Licensed under cc by-sa 3.0 with attribution required.