简体   繁体   中英

Swift - Get local date and time

How can I get local date and time in Swift?

let last_login = String(NSDate.date())

update: Xcode 8.2.1 • Swift 3.0.2

You can also use the Date method description(with locale: Locale?) to get user's localized time description:

A string representation of the Date, using the given locale, or if the locale argument is nil, in the international format YYYY-MM-DD HH:MM:SS ±HHMM, where ±HHMM represents the time zone offset in hours and minutes from UTC (for example, “2001-03-24 10:45:32 +0600”).

description(with locale: Locale?)

Date().description(with: .current)   // "Monday, February 9, 2015 at 05:47:51 Brasilia Summer Time"

The method above it is not meant to use when displaying date and time to the user. It is for debugging purposes only.

When displaying local date and time (current timezone) to the user you should respect the users locale and device settings. The only thing you can control is the date and time style (short, medium, long or full). Fore more info on that you can check this post shortDateTime .

If your intent is to create a time stamp UTC for encoding purposes (iso8601) you can check this post iso8601

In case you want to get a Date object and not a string representation you can use the following snippet:

extension Date {
    func localDate() -> Date {
        let nowUTC = Date()
        let timeZoneOffset = Double(TimeZone.current.secondsFromGMT(for: nowUTC))
        guard let localDate = Calendar.current.date(byAdding: .second, value: Int(timeZoneOffset), to: nowUTC) else {return Date()}

        return localDate
    }
}

Use it like this:

let now = Date().localDate()

Leo's answer great. I just wanted to add a way to use it as a computed property.

 var currentTime: String { 
     Date().description(with: .current) 
 }

Use it like so:

print(currentTime)

Or you can encapsulate it:

extension String { 
    static var currentTime: String { 
        Date().description(with: .current) 
    }
}

And then you can use it anywhere you use a string:

var time: String = .currentTime

use NSDateFormatter, either by setting the format

let dateFormatter = NSDateFormatter()
dateFormatter.dateFormat = "hh:mm"
println(dateFormatter.stringFromDate(NSDate()))

or styles

dateFormatter.dateStyle = .NoStyle
dateFormatter.timeStyle = .MediumStyle

I already found the answer.

let dateFormatter = NSDateFormatter()
dateFormatter.dateFormat = "MM-dd-yyyy HH:mm"
let dateInFormat = dateFormatter.stringFromDate(NSDate())
let expiryDate: Date = ...
let localizedDateString = DateFormatter.localizedString(from: expiryDate, dateStyle: .medium, timeStyle: .short)

"10 Sep 2017, 14:37"

To get back the most common string formats (when dealing with queries and databases):

Swift 4, 5

2019-01-09T01:07:04Z (RFC3339 in GMT/Zulu time)

let f = ISO8601DateFormatter()
f.formatOptions = [.withInternetDateTime]
let s = f.string(from: Date())

2019-01-08T17:04:16-08:00 (RFC3339 accounting for local time zone)

let f = ISO8601DateFormatter()
f.formatOptions = [.withInternetDateTime]
f.timeZone = TimeZone.current
let s = f.string(from: Date())

2019-01-09 (standard date stamp in GMT/Zulu time)

let f = ISO8601DateFormatter()
f.formatOptions = [.withFullDate, .withDashSeparatorInDate]
let s = f.string(from: Date())

2019-01-08 (standard date stamp accounting for local time zone)

let f = ISO8601DateFormatter()
f.formatOptions = [.withFullDate, .withDashSeparatorInDate]
f.timeZone = TimeZone.current
let s = f.string(from: Date())

All four strings represent the exact same point in time. And remember that sorting these strings in alphabetical order also sorts them into chronological order, which makes this data database agnostic (which I always aim for).

You have to use NSDateFormatter

let dateFormatter = NSDateFormatter()
dateFormatter.dateFormat = "MMMM dd, yyyy HH:mm"
dateFormatter.locale = "en" // Change "en" to change the default locale if you want  
let stringDate = dateFormatter.stringFromDate(date)

Swift 4

To get current date and time

let currentDate = Date()
print(currentDate) //this will return current date and time 

but that will be in date type to convert date into string

let dateFormatter = DateFormatter()
dateFormatter.dateFormat = "dd-MM-yyyy HH:mm" //give the formate according to your need
let dateStr =  dateFormatter.string(from: currentDate) //which will give the string of current date and time in required dateformate

My understanding ofSwift Date is that Date is a time point without any calendar or timezone information. I think it is GMT time. If you want to show a date in a specified timezone, you have to use DateFormat API to format the date to a string.

I have an iOS app TapToCount-3W to make notes with date and GPS location information. When I travel, I use it to record/tap a note with date and GPS. The dates are local date when I am in travel countries. However, the problem I found is that when I come back home, the travel dates displayed are in my home country dates instead of those travel country timezones.

I am working on updates with my app now. The solution is to add timezone information when a tap is made. With date and timezone information, the localized dates will be correctly displayed.

The method as recommended in this QA to extend Date is actually to create date from Date() from second offset from GMT time. It is a GMT time and different date from Date() .

The following codes are from my updates(I also included @lajosdeme method as comparison):

extension Date {
  private func getLocalByID(_ identifier: String?) -> Locale
  {
    let local: Locale
    if let id = identifier, !id.isEmpty {
      local = Locale(identifier: id)
    } else {
      local = Locale.current
    }
    return local
  }

  func localizedString(
    timezone: String?,
    dateStyle: DateFormatter.Style = .short,
    timeStyle: DateFormatter.Style = .long
  ) -> String
  {
    let dtFormater = DateFormatter()
    let tz: String = timezone ?? ""
    dtFormater.locale = getLocalByID(tz)
    dtFormater.dateStyle = dateStyle
    dtFormater.timeStyle = timeStyle
    if let timeZone = TimeZone(identifier: tz) {
      dtFormater.timeZone = timeZone
    }
    return dtFormater.string(from: self)
  }

  func dateForTimezone(_ timezone: String?) -> Date {
    let nowUTC = Date()
    let tz: TimeZone
    if let timezone = timezone, 
      let v = TimeZone(identifier: timezone)
    {
      tz = v
    } else {
      tz = TimeZone.current
    }
    let timeZoneOffset = 
      Double(tz.secondsFromGMT(for: nowUTC))
    if let dt = 
      Calendar.current.date(byAdding: .second, value: Int(timeZoneOffset), to: nowUTC) 
    {
      return dt
    }
    else {
      return Date()
    }
  }
}

// Test above extension in Playground
// [SwiftFiddle][3]
let dt1 = Date()
let tz = "America/Edmonton"
let dt2 = dt1.description(with: .current)
let dt3 = dt1.localizedString(timezone: tz)
let dt4 = dt1.dateForTimezone(tz)
print("Timezone: \(tz)\nDate: \(dt1)\ndescription: \(dt2)\nlocalized string: \(dt3)\ndateForTimezone: \(dt4)")

Here are the test result from SwiftFiddle playground :

Timezone: America/Edmonton
Date: 2022-06-03 15:41:23 +0000
description: Friday, June 3, 2022 at 3:41:23 PM Coordinated Universal Time
localized string: 6/3/22, 9:41:23 AM GMT-6
dateForTimezone: 2022-06-03 09:41:23 +0000

Refactor the answer with swift 5 base on @lajosdeme. My location is in China.

import Foundation

let date = Date() // It is not the local time, less than 8 hours
print(date)  // 2022-08-05 08:04:20 +0000

extension Date {
    static func localDate() -> Date {
        let nowUTC = Date()
        let timeZoneOffset = Double(TimeZone.current.secondsFromGMT(for: nowUTC))
        guard let localDate = Calendar.current.date(byAdding: .second, value: Int(timeZoneOffset), to: nowUTC) else {
            return nowUTC
        }
        return localDate
    }
}
// It is the local time
print(Date.localDate()) // 2022-08-05 16:04:20 +0000

Swift 5
If you want to do it manually,
Date() will always return current UTC time

let today = Date()  

If you live, let's say in Malaysia. It is UTC+8 (meaning 8 hours faster)
You can get your local date time by using Calendar

let localDateTime = Calendar.current.date(byAdding: .hour, value: 8, today)!   

other method you can use is

let localDateTime = Date().addingTimeInterval(8 * 60 * 60) //because the param in seconds

The technical post webpages of this site follow the CC BY-SA 4.0 protocol. If you need to reprint, please indicate the site URL or the original address.Any question please contact:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM