如何获取时区偏移量±hh:mm?

问题描述 投票:0回答:6

我可以通过以下方式获取距 GMT 的偏移秒数:

TimeZone.current.secondsFromGMT()

但是,如何获得

±hh:mm
的格式?

swift swift3 timezone
6个回答
51
投票

一些整数算术来获取以小时为单位的偏移量和 分钟:

let seconds = TimeZone.current.secondsFromGMT()

let hours = seconds/3600
let minutes = abs(seconds/60) % 60

格式化打印:

let tz = String(format: "%+.2d:%.2d", hours, minutes)
print(tz) // "+01:00" 

%.2d
打印一个具有(至少)两位小数的整数(并且前导 必要时为零)。
%+.2d
相同,但带有前导
+
符号 非负数。


11
投票

这里是获取时区偏移差和 ±hh:mm 的扩展(Swift 4 | Swift 5 代码

extension TimeZone {

    func offsetFromGMT() -> String
    {
        let localTimeZoneFormatter = DateFormatter()
        localTimeZoneFormatter.timeZone = self
        localTimeZoneFormatter.dateFormat = "Z"
        return localTimeZoneFormatter.string(from: Date())
    }

    func offsetInHours() -> String
    {
    
        let hours = secondsFromGMT()/3600
        let minutes = abs(secondsFromGMT()/60) % 60
        let tz_hr = String(format: "%+.2d:%.2d", hours, minutes) // "+hh:mm"
        return tz_hr
    }
}

这样使用

print(TimeZone.current.offsetFromGMT()) // output is +0530
print(TimeZone.current.offsetInHours()) // output is "+05:30"

6
投票

如果你可以使用

Date()

func getCurrentTimezone() -> String {
    let localTimeZoneFormatter = DateFormatter()
    localTimeZoneFormatter.dateFormat = "ZZZZZ"
    return localTimeZoneFormatter.string(from: Date())
}

将返回“+01:00”格式


2
投票
extension TimeZone {
    
    func offsetFromUTC() -> String
    {
        let localTimeZoneFormatter = DateFormatter()
        localTimeZoneFormatter.timeZone = self
        localTimeZoneFormatter.dateFormat = "Z"
        return localTimeZoneFormatter.string(from: Date())
    }
    
 
    func currentTimezoneOffset() -> String {
      let timeZoneFormatter = DateFormatter()
      timeZoneFormatter.dateFormat = "ZZZZZ"
      return timeZoneFormatter.string(from: Date())
  }
}


Use like this

print(TimeZone.current.offsetFromUTC()) // output is +0530
print(TimeZone.current.currentTimezoneOffset()) // output is "+05:30"

根据时区,它在所有国家/地区 100% 运行。


0
投票

Swift 4 及以上版本

extension TimeZone {

    func timeZoneOffsetInHours() -> Int {
        let seconds = secondsFromGMT()
        let hours = seconds/3600
        return hours
    }
    func timeZoneOffsetInMinutes() -> Int {
        let seconds = secondsFromGMT()
        let minutes = abs(seconds / 60)
        return minutes
    }
}

0
投票

接受的答案无法正确处理“-00:30”的情况,因为“+/-”仅根据小时而不是分钟确定。我将根据对初始秒值的检查来设置符号。或者您可以使用

DateComponentsFormatter

let formatter = DateComponentsFormatter()
formatter.allowedUnits = [.hour, .minute, .second]
formatter.unitsStyle = .positional
formatter.zeroFormattingBehavior = .pad
let interval: TimeInterval = TimeInterval.init(abs(secondsOffset))
let offsetValue: String = formatter.string(from: interval)
© www.soinside.com 2019 - 2024. All rights reserved.