WPF日期时间格式

时间:2016-07-04 13:52:31

标签: wpf datetime formatting

我需要格式化日期,所以我使用了以下内容:

Traceback (most recent call last):
    File "fib.py", line 16, in <module>
        print(fib(n))
    File "fib.py", line 10, in fib
        f[1]=1
    IndexError: list assignment index out of range

然而,一些Date是Null,所以我希望这些字段保持为空,但我想由于格式化,它看起来像这样:

01/01/0001 00:00:00

知道如何仅限制“非空”值的格式吗?对不起,如果这可能是太基本的问题,但我还处于学习的开始阶段。

1 个答案:

答案 0 :(得分:3)

Structvalue type,永远不会是null

但是,有几种方法可以解决您的问题:

  1. 在我看来,最干净,最合乎逻辑的是将DateTime更改为Nullable<Datetime>

    private DateTime? myDate;
    public DateTime? MyDate
    {
         get
         {
            return this.myDate;
         }
         set
         {
            this.myDate = value;
         }
    }
    
  2. 如果这不是一个选项,转换器就可以解决这个问题:

    .xaml代码:

    <UserControl.Resources>
       <local:DateConverter x:Key="dateConverter"/>
    </UserControl.Resources>         
    
    <TextBlock Text="{Binding MyDate, Converter={StaticResource dateConverter}}" />
    

    .cs代码

    public class DateConverter: IValueConverter
    {
      public object Convert(object value, Type targetType, object parameter, CultureInfo culture)
      {
         if (value != null)
         {
            DateTime myDate = (DateTime)value;
            if (myDate != DateTime.MinValue)
            {
               return myDate.ToString("dd/MM/yyyy HH:mm:ss");
            }
         }
    
         return String.Empty;
      }
    
      public object ConvertBack(object value, Type targetType, object parameter, CultureInfo culture)
      {
         throw new NotImplementedException();
      }
    }
    
  3. 最后,直接在Xaml代码中的DataTrigger允许您在日期为null时隐藏/折叠控件。与转换器中的关键是检查日期何时等于DateTime.MinValue

    <UserControl x:Class="WpfApplicationTest.MyUserControl"
         xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
         xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
         xmlns:mc="http://schemas.openxmlformats.org/markup-compatibility/2006" 
         xmlns:d="http://schemas.microsoft.com/expression/blend/2008" 
         xmlns:sys="clr-namespace:System;assembly=mscorlib"
         xmlns:local="clr-namespace:WpfApplicationTest"
         mc:Ignorable="d" 
         d:DesignHeight="300" d:DesignWidth="300">
    
         <TextBlock Text="{Binding MyDate, StringFormat='{}{0:dd/MM/yyyy HH:mm:ss }'}" >
            <TextBlock.Style>
               <Style TargetType="TextBlock">
                     <Style.Triggers>
                        <DataTrigger Binding="{Binding MyDate}" Value="{x:Static sys:DateTime.MinValue}">
                           <Setter Property="Visibility" Value="Collapsed"></Setter>
                        </DataTrigger>
                     </Style.Triggers>
                  </Style>
               </TextBlock.Style>
         </TextBlock>