6

在 WinForms (3.5) 应用程序中,有一个带有monthCalendar控件的表单。

日历控件的calendarDimension为 3 列乘 1 行。这意味着它当前显示 2010 年 6 月、7 月、8 月。

是否可以让日历显示 2010 年 4 月、5 月、6 月?我的数据集没有任何未来日期,因此日期选择将适用于当前或更早的日期。

4

4 回答 4

7

您可以使用以下代码行将MonthCalendar'MaxDate属性设置为表单加载事件中的当前日期。

monthCalendar1.MaxDate = DateTime.Now;
于 2010-06-10T07:05:53.683 回答
2

为了将当前月份强制向右,我使用了 Pavan 的想法,但我添加了一个计时器以在打开日历控件后重置 MaxDate。现在我可以在加载控件后滚动到未来。

public partial class Form1 : Form
{
   private DateTime _initialDateTime = DateTime.Now;

   public Form1()
   {
     InitializeComponent();
     // remember the default MAX date
     _initialDateTime = monthCalendar1.MaxDate;
     // set max date to NOW to force current month to right side
     monthCalendar1.MaxDate = DateTime.Now;
     // enable a timer to restore initial default date to enable scrolling into the future
     timer1.Start();
   }

   private void timer1_Tick(object sender, EventArgs e)
   {
     Timer timer = sender as Timer;
     if (timer != null)
     {
        // enable scrolling to the future
        monthCalendar1.MaxDate = _initialDateTime;
        // stop the timer...
        timer.Stop();
     }
   }
}
于 2010-06-12T00:16:59.393 回答
2

如果您将 MonthCalendar 的 MaxDate 设置为当前日期,则月历将仅显示 - 并因此允许选择 - 日期或早于当前日期。

于 2010-06-09T16:56:06.127 回答
1

我发现在 MonthCalendar 具有自我意识之后需要操作 MonthCalendar 以“滚动”到所需范围。

在 MonthCalendar 具有自我意识之后(在您的程序完成初始化和显示它之后,如果您执行,MyMonthCalendar.SetSelectionRange(startDate,endDate)您可以通过在当前显示的月份之外滚动日历startDate。例如,如果我将 8 个月显示为 2 列乘以 4行,然后 MyMonthCalendar.SetSelectionRange(DateTime.Now.AddMonths(+6),DateTime.Now.AddMonths(+6));将滚动 MonthCalendar 以在 Month[col 1 ,row[0]] (顶行,右列)中显示 DateTime.Now。

问题是 MonthCalendar.SetSelectionRange() 直到显示 MonthCalendar 之后才会生效,并且在它退出其初始化线程之后可以“滚动”。这就是为什么其他人描述的 Timer 方法有效的原因。

我不知道早期的 .NET 版本,但在 .NET 4.6 中,您无需修改​​ MinDate 或 MaxDate 即可滚动 MonthCalendar。

我建议不要使用 Timer 组件和事件,而是尝试 MonthCalendar.Layout 事件。

public MyForm()
{
  // Standard design time component initialization
  InitializeComponent();

  // enable the MonthCalendar's Layout event handler
  this.MyMonthCalendar.Layout += MyMonthCalendar_Layout;
}

/// MonthCalendar Layout Event Handler
private void MyMonthCalendar_Layout;(object sender, LayoutEventArgs e)
{
  // disable this event handler because we only need to do it one time
  this.MyMonthCalendar.Layout -= MyMonthCalendar_Layout;

  // initialize the MonthCalendar so its months are aligned like we want them to be
  // To show a calendar with only April, May, and June 2010 do this
  this.MyMonthCalendar.SetSelectionRange(new DateTime(2010, 4, 1), new DateTime(2010, 6, 30));

  // MyMonthCalendar.TodayDate can be any date you want
  // However, MyMonthCalendar.SetDate should be within the SelectionRange or you might scroll the calendar
  this.MyMonthCalendar.SetDate(new DateTime(2010, 6, 30));      
}

在此处输入图像描述

于 2018-07-31T16:55:39.873 回答