C-Sharp | Java | Python | Swift | GO | WPF | Ruby | Scala | F# | JavaScript | SQL | PHP | Angular | HTML
Then: Please do the same for CheckBox_Unchecked. Look at the C# code file for your project. It has been modified.
Example markup: XAML
<Window x:Class="WpfApplication6.MainWindow"
xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
Title="MainWindow" Height="350" Width="525">
<Grid>
<CheckBox
Content="CheckBox"
HorizontalAlignment="Left"
Margin="10,10,0,0"
VerticalAlignment="Top"
Checked="CheckBox_Checked"
Unchecked="CheckBox_Unchecked"/>
</Grid>
</Window>
Example code: C#
using System.Windows;
using System.Windows.Controls;
namespace WpfApplication6
{
/// <summary>
/// Interaction logic for MainWindow.xaml
/// </summary>
public partial class MainWindow : Window
{
public MainWindow()
{
InitializeComponent();
}
private void CheckBox_Checked(object sender, RoutedEventArgs e)
{
Handle(sender as CheckBox);
}
private void CheckBox_Unchecked(object sender, RoutedEventArgs e)
{
Handle(sender as CheckBox);
}
void Handle(CheckBox checkBox)
{
// Use IsChecked.
bool flag = checkBox.IsChecked.Value;
// Assign Window Title.
this.Title = "IsChecked = " + flag.ToString();
}
}
}
IsChecked: We use the IsChecked property (a nullable bool) to determine the current state of the CheckBox in the Handle method.
PropertyNullableFinally: We assign to the Window Title property. This changes the title to indicate the state of the checkbox after it changes.
Tip: If you have trouble making up your mind, the "Indeterminate" option is a perfect choice.
Example markup 2: XAML
<Window x:Class="WpfApplication6.MainWindow"
xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
Title="MainWindow" Height="350" Width="525">
<Grid>
<CheckBox
Content="CheckBox"
HorizontalAlignment="Left"
Margin="10,10,0,0"
VerticalAlignment="Top"
Checked="CheckBox_Checked"
Unchecked="CheckBox_Unchecked"
Indeterminate="CheckBox_Indeterminate"
IsThreeState="True"/>
</Grid>
</Window>
Example code 2: C#
using System.Windows;
namespace WpfApplication6
{
/// <summary>
/// Interaction logic for MainWindow.xaml
/// </summary>
public partial class MainWindow : Window
{
public MainWindow()
{
InitializeComponent();
}
private void CheckBox_Checked(object sender, RoutedEventArgs e)
{
this.Title = "Checked";
}
private void CheckBox_Unchecked(object sender, RoutedEventArgs e)
{
this.Title = "Unchecked";
}
private void CheckBox_Indeterminate(object sender, RoutedEventArgs e)
{
this.Title = "Indeterminate";
}
}
}