16

我在应用程序中使用 NodaTime,我需要用户从下拉列表中选择他们的时区。我有以下软要求:

1) 该列表仅包含对真实地点的当前和不久的将来合理有效的选择。应过滤掉历史、晦涩和通用的时区。

2) 列表应首先按 UTC 偏移量排序,然后按时区名称排序。这有望使它们按对用户有意义的顺序排列。

我编写了以下代码,它确实有效,但并不完全符合我的要求。过滤器可能需要调整,我宁愿让偏移量代表基本(非 dst)偏移量,而不是当前偏移量。

建议?建议?

var now = Instant.FromDateTimeUtc(DateTime.UtcNow);
var tzdb = DateTimeZoneProviders.Tzdb;
var list = from id in tzdb.Ids
           where id.Contains("/") && !id.StartsWith("etc", StringComparison.OrdinalIgnoreCase)
           let tz = tzdb[id]
           let offset = tz.GetOffsetFromUtc(now)
           orderby offset, id
           select new
           {
               Id = id,
               DisplayValue = string.Format("({0}) {1}", offset.ToString("+HH:mm", null), id)
           };

// ultimately we build a dropdown list, but for demo purposes you can just dump the results
foreach (var item in list)
    Console.WriteLine(item.DisplayValue);
4

2 回答 2

26

Noda Time 1.1 具有zone.tab 数据,因此您现在可以执行以下操作:

/// <summary>
/// Returns a list of valid timezones as a dictionary, where the key is
/// the timezone id, and the value can be used for display.
/// </summary>
/// <param name="countryCode">
/// The two-letter country code to get timezones for.
/// Returns all timezones if null or empty.
/// </param>
public IDictionary<string, string> GetTimeZones(string countryCode)
{
    var now = SystemClock.Instance.Now;
    var tzdb = DateTimeZoneProviders.Tzdb;

    var list = 
        from location in TzdbDateTimeZoneSource.Default.ZoneLocations
        where string.IsNullOrEmpty(countryCode) ||
              location.CountryCode.Equals(countryCode, 
                                          StringComparison.OrdinalIgnoreCase)
        let zoneId = location.ZoneId
        let tz = tzdb[zoneId]
        let offset = tz.GetZoneInterval(now).StandardOffset
        orderby offset, zoneId
        select new
        {
            Id = zoneId,
            DisplayValue = string.Format("({0:+HH:mm}) {1}", offset, zoneId)
        };

    return list.ToDictionary(x => x.Id, x => x.DisplayValue);
}

替代方法

您可以使用基于地图的时区选择器,而不是提供下拉菜单。

在此处输入图像描述

于 2013-06-13T23:29:50.463 回答
3

获得标准偏移很容易 - tz.GetZoneInterval(now).StandardOffset。这将为您提供“当前”标准偏移量(区域可能随时间变化)。

过滤可能适合您 - 我不想肯定地说。这当然不是理想的,因为 ID 并不是真正为显示而设计的。理想情况下,您会使用 Unicode CLDR“示例”位置,但目前我们在这方面没有任何 CLDR 集成。

于 2012-10-25T14:44:59.163 回答