SlideShare a Scribd company logo
WEBCAST
              ON
HANDS ON TO MAGICAL COMBINATION
 OF WPF AND MVVM ARCHITECTURE

              PRESENTED
                  BY
           SHIBATOSH SINHA

            shibatosh@rediffmail.com
   http://www.facebook.com/Shibatosh.Sinha
A little ‘bit’e of   WPF
What is WPF ?


  The Windows Presentation Foundation (WPF) is a subset of the .NET
  Framework types that are located mostly in the         namespace
  System.Windows and is tailor made for building Windows client
  applications with visually stunning user experiences.

  In other words it means resolution-independent display, usage of
  Extensible Application Markup Language (XAML), powerful data binding,
  control and data templates, various layout options, 2D and 3D graphics,
  animations, styles, flow documents, multimedia and a lot more features
  all rolled into one!
SOME OF THE KEY FEATURES WE MIGHT LIKE TO
SAIL THROUGH FOR TODAY’S SESSION ARE :
RESOLUTION AND DEVICE-INDEPENDENT DISPLAY


 WPF got rid of this huge headache by incorporating Device Independent Pixels
(DPI) which remains 1/96th of an inch, regardless of actual screen resolution.
It is achieved by modifying the screen pixel density. It also uses a coordinate
system of Improved precision for more accurate display.
GRAPHICS AND ANIMATION SUPPORT


 It uses DirectX environment and can take advantage of the graphics hardware
installed in the computer to minimize CPU usage. One highly advantageous
point is that each part of the graphics we draw on screen is vector based and
object oriented, so we have complete control to erase or modify each part of
our display later on
CONTROL TEMPLATES


Wow! Another dream comes true for a developer. Now we can completely
redesign the look of a control as per our wish. For example now each
listboxitem in our listbox can have dynamic images, checkboxes, textboxes,
dropdowns and whatever control we require to display that record. That’s
what you call freedom! It also does one very important thing that is the XAML
which takes care of the appearance and the model class which controls the
behavior now becomes loosely coupled.
1. We define a Control Template
<ControlTemplate TargetType="{x:Type ButtonBase}“ x:Key="btnBasicTemp">
    <Grid Effect="{StaticResource ControlShadowEffect}">
      <Rectangle x:Name="GelBackground“ RadiusX="9“ RadiusY="9"
             Fill="{TemplateBinding Background}“/>
      <ContentPresenter Margin="10,0,10,0“/>
    </Grid>
</ControlTemplate>
2. A Style created for button uses that Control Template
<Style TargetType="{x:Type ButtonBase}“ x:Key="btnBasic">
    <Setter Property="Foreground“ Value="{StaticResource ButtonForegroundDefaultBrush}" />
    <Setter Property="Background" Value="#567890"/>
    <Setter Property="Template“ Value="{StaticResource btnBasicTemp}" />
    <Style.Triggers><MultiTrigger><MultiTrigger.Conditions>
                      <Condition Property="IsMouseOver“ Value="True" />
                      <Condition Property="IsEnabled“ Value="True" />
    </MultiTrigger.Conditions>
                      <Setter Property="Foreground“ Value="{StaticResource btnHoverForeBrush}" />
    </MultiTrigger></Style.Triggers>
</Style>
3. A Button in form uses that Style
          <Button Style="{DynamicResource btnBasic}">Hi!</Button>
EXAMPLE ARCHITECTURE :




              UI Layer

                View Model

                  Business Logic Layer

                     Data Layer

                         Database
EXAMPLE ARCHITECTURE :




     Window              Window1.xaml


INotifyPropertyChanged     GroupsModel.cs – View Model Class


  Data Factory Classes       Groups.cs - Singular & Plural Table classes


        IEnumerable              Data Factory Classes


                                        Database
DEPENDENCY PROPERTY


 It can be used just like a normal property but provides lot more extra features. Its
 value can be calculated indirectly from other usergiven inputs.

• Property value coming from style
<Style x:Key=“DefaultBtnStyle">
<Setter Property="Control.Background" Value=“SteelBlue"/>
</Style>
<Button Style="{StaticResource DefaultBtnStyle}">See my color!</Button>
• Property value coming from data binding
<TextBlock x:Name="txtMembers“ Text="{Binding Members}“/>
• Property value coming from data binding dynamic resource
<Button Style="{DynamicResource AlternativeBtnStyle}">Hi!</Button>
• The property can inherit its value automatically from a parent element in
   the element tree which saves a lot of unnecessary duplication.
• The property can report when the property value changes.
DATA BINDING
It is a process to transfer data between the controls of application UI and the properties of the model class.
There are various modes to choose from depending on the situation. INotifyPropertyChanged is used to
maintain     continuous      synchronization   between       the        binding    target         and binding
source. The UpdateSourceTrigger property of the binding determines which event triggers the update of the
source. ICollectionView is used to implement Sorting, Filtering or Grouping on a data collection.


           UI Layer                                                               View Model
       Binding Target                                                            Binding Source



           Dependency                           One Way                               Property
            Property                            Two Way
                                            One Way To Source
                                                One Time
     Dependency Object                                                         Model Class Object


          ItemSource                                                         Observable Collection
                                          INotifyPropertyChanged
         SelectedItem                                                           Singular Element
DATA TEMPLATE
 It is used to specify how data objects will be displayed in UI.

 <ListBox x:Name="lst"
         ItemsSource="{Binding GroupData}"
         SelectedItem="{Binding CurrentSingularData}">
<ListBox.ItemTemplate>
          <DataTemplate>
                   <StackPanel Orientation="Vertical">
                   <TextBlock x:Name="txtName" Text="{Binding Name}"/>
                   <TextBlock x:Name="txtMembers" Text="{Binding Members}"/>
                   </StackPanel>
                   <DataTemplate.Triggers>
                   <DataTrigger Binding="{Binding Id}“ Value="{x:Null}">
                   <Setter TargetName="txtName“ Property="Text“ Value="Add New..." />
                   </DataTrigger>
                   </DataTemplate.Triggers>
          </DataTemplate>
</ListBox.ItemTemplate>
</ListBox>
MVVM – MODEL-VIEW-VIEWMODEL
This is an architecture with a very loosely coupled design absolutely
tailor-made for the WPF and Silverlight applications.

• What we can see as the UI is known as the View.
• The layer that arranges all the data in presentable format and supplies
them to this View is the ViewModel.
• The ViewModel gets it all from the Model.




View                      ViewModel                           Model
MVVM – MODEL-VIEW-VIEWMODEL (CONTINUED)



The View-ViewModel binding is performed simply by setting a ViewModel
object as the DataContext of a view. If property values in the ViewModel change,
they automatically synchronize the view and ther is no need to write any code to
update the view. As WPF supports Command Binding when we click a button in
the View, a command on the ViewModel executes to perform the requested
action.
The beauty of this architecture lies in the fact that the ViewModel works
independent of the View and so any existing UI design (View) can be altered to
any extent and can be attached to the ViewModel again without any problem.
Same relationship exist between the ViewModel and the Model making it a
really modular and loosely coupled design.
TRIGGERS
A trigger is used to automatically perform some action if a certain condition is
achieved. There are 3 trigger types in WPF.

• Property Triggers
• Event Triggers
• Data Triggers

• Property Triggers are executed when a property reaches a predefined value.
<Style.Triggers>
          <Trigger Property="IsMouseOver“ Value="True">
                   <Setter Property="Background“ Value="#CCFFFF" />
          </Trigger>
</Style.Triggers>
TRIGGERS (CONTINUED)


• Event Triggers are executed when a particular event occurs.

<Button Opacity="0" Content="Watch Me">
 <Button.Triggers>
  <EventTrigger RoutedEvent="FrameworkElement.Loaded">
   <BeginStoryboard Name="ActionName">
    <Storyboard>
     <DoubleAnimation Storyboard.TargetProperty="Opacity"
       Duration="0:0:1" BeginTime="0:0:0.2" To="1.0" />
    </Storyboard>
   </BeginStoryboard>
  </EventTrigger>
 </Button.Triggers>
</Button>
TRIGGERS (CONTINUED)


• Data Triggers are executed when a binding expression reaches a predefined
value.

<DataTemplate.Triggers>
        <DataTrigger Binding="{Binding Id}“ Value="{x:Null}">
        <Setter TargetName="txtName“ Property="Text“ Value="Add New..." />
        </DataTrigger>
</DataTemplate.Triggers>
VALUE CONVERTERS
They are used when our binding source and target properties have incompatible
datatypes and we need somebody to perform that conversion at the time of
binding. These classes are derived from IValueConverter.

1. We have to write some code block like this inside our converter classes
public object Convert(object value, Type targetType, object parameter,
System.Globalization.CultureInfo culture)
     {
       bool check = System.Convert.ToBoolean(value);
       if (check)
           return Visibility.Visible;
       else
           return Visibility.Collapsed;
     }
2. This is how the bolVisConverter is implemented
            <Button Content="Delete“ Visibility="{Binding ElementName=lstStatuses,
            Path=Items.Count, Converter={StaticResource bolVisConverter}}"/>

More Related Content

PPTX
Introduction to XAML and its features
PPTX
Asp.NET MVC
PPTX
Active record(1)
PDF
Backbone.js
PPTX
Asp.net mvc training
PPTX
ADO.NET Entity Framework by Jose A. Blakeley and Michael Pizzo
PDF
Flex3 data binding
DOC
The most basic inline tag
Introduction to XAML and its features
Asp.NET MVC
Active record(1)
Backbone.js
Asp.net mvc training
ADO.NET Entity Framework by Jose A. Blakeley and Michael Pizzo
Flex3 data binding
The most basic inline tag

What's hot (20)

KEY
MVC on the server and on the client
PDF
Introduction to Backbone.js for Rails developers
PPTX
Mvc & java script
PDF
Java Web Programming on Google Cloud Platform [2/3] : Datastore
PPTX
Imagine Camp Algeria 2014 Build for both session2 mvvm
PDF
Web 2 | CSS - Cascading Style Sheets
PPTX
Metaworks3
PDF
Java Web Programming on Google Cloud Platform [3/3] : Google Web Toolkit
PDF
[2015/2016] Local data storage for web-based mobile apps
PPTX
KnockOutjs from Scratch
PPT
07 association of entities
PPTX
03 layouts & ui design - Android
PPTX
Spring Web Views
PPTX
EJB 3.0 course Sildes and matrial
PPT
Hibernate Tutorial
PDF
MVC on the Server and on the Client: How to Integrate Spring MVC and Backbone...
PPTX
Overview of WPF in light of Ribbon UI Control
PPT
Simple Data Binding
PPT
Silverlight Databinding
PDF
In memory OLAP engine
MVC on the server and on the client
Introduction to Backbone.js for Rails developers
Mvc & java script
Java Web Programming on Google Cloud Platform [2/3] : Datastore
Imagine Camp Algeria 2014 Build for both session2 mvvm
Web 2 | CSS - Cascading Style Sheets
Metaworks3
Java Web Programming on Google Cloud Platform [3/3] : Google Web Toolkit
[2015/2016] Local data storage for web-based mobile apps
KnockOutjs from Scratch
07 association of entities
03 layouts & ui design - Android
Spring Web Views
EJB 3.0 course Sildes and matrial
Hibernate Tutorial
MVC on the Server and on the Client: How to Integrate Spring MVC and Backbone...
Overview of WPF in light of Ribbon UI Control
Simple Data Binding
Silverlight Databinding
In memory OLAP engine
Ad

Similar to The Magic of WPF & MVVM (20)

PDF
Knockoutjs databinding
PPTX
Will your code blend? : Toronto Code Camp 2010 : Barry Gervin
PPTX
WPF - Controls &amp; Data
PDF
MVVM & Data Binding Library
PPT
KnockoutJS and MVVM
PPTX
Fundaments of Knockout js
PDF
Data Binding in Silverlight
PDF
Rp 6 session 2 naresh bhatia
PPT
Backbone.js
PPTX
PPTX
Bringing the light to the client with KnockoutJS
PPTX
MV* presentation frameworks in Javascript: en garde, pret, allez!
PDF
Learn about dot net attributes
PDF
Knockoutjs
PDF
Developing maintainable Cordova applications
PDF
02.Designing Windows Phone Application
PPTX
Stephen Kennedy Silverlight 3 Deep Dive
PPTX
Knockout.js
PDF
netmind - Primer Contacto con el Desarrollo de Aplicaciones para Windows 8
PPTX
Windows Store app using XAML and C#: Enterprise Product Development
Knockoutjs databinding
Will your code blend? : Toronto Code Camp 2010 : Barry Gervin
WPF - Controls &amp; Data
MVVM & Data Binding Library
KnockoutJS and MVVM
Fundaments of Knockout js
Data Binding in Silverlight
Rp 6 session 2 naresh bhatia
Backbone.js
Bringing the light to the client with KnockoutJS
MV* presentation frameworks in Javascript: en garde, pret, allez!
Learn about dot net attributes
Knockoutjs
Developing maintainable Cordova applications
02.Designing Windows Phone Application
Stephen Kennedy Silverlight 3 Deep Dive
Knockout.js
netmind - Primer Contacto con el Desarrollo de Aplicaciones para Windows 8
Windows Store app using XAML and C#: Enterprise Product Development
Ad

More from Abhishek Sur (20)

PPTX
Azure servicefabric
PPT
Building a bot with an intent
PPTX
Code review
PPTX
C# 7.0 Hacks and Features
PPTX
Angular JS, A dive to concepts
PPTX
Stream Analytics Service in Azure
PPTX
Designing azure compute and storage infrastructure
PPTX
Working with Azure Resource Manager Templates
PPTX
F12 debugging in Ms edge
PPTX
Mobile Services for Windows Azure
PPTX
Service bus to build Bridges
PPTX
Windows azure pack overview
PPTX
AMicrosoft azure hyper v recovery manager overview
PPTX
Di api di server b1 ws
PPTX
Integrating cortana with wp8 app
PPTX
Asp.net performance
PPTX
SQL Server2012 Enhancements
PPTX
Dev days Visual Studio 2012 Enhancements
PPTX
Hidden Facts of .NET Language Gems
PPTX
ASP.NET 4.5 webforms
Azure servicefabric
Building a bot with an intent
Code review
C# 7.0 Hacks and Features
Angular JS, A dive to concepts
Stream Analytics Service in Azure
Designing azure compute and storage infrastructure
Working with Azure Resource Manager Templates
F12 debugging in Ms edge
Mobile Services for Windows Azure
Service bus to build Bridges
Windows azure pack overview
AMicrosoft azure hyper v recovery manager overview
Di api di server b1 ws
Integrating cortana with wp8 app
Asp.net performance
SQL Server2012 Enhancements
Dev days Visual Studio 2012 Enhancements
Hidden Facts of .NET Language Gems
ASP.NET 4.5 webforms

Recently uploaded (20)

PDF
Shreyas Phanse Resume: Experienced Backend Engineer | Java • Spring Boot • Ka...
PPTX
Digital-Transformation-Roadmap-for-Companies.pptx
PDF
Electronic commerce courselecture one. Pdf
PDF
Review of recent advances in non-invasive hemoglobin estimation
PDF
Agricultural_Statistics_at_a_Glance_2022_0.pdf
PDF
Network Security Unit 5.pdf for BCA BBA.
PDF
Diabetes mellitus diagnosis method based random forest with bat algorithm
PPTX
VMware vSphere Foundation How to Sell Presentation-Ver1.4-2-14-2024.pptx
PDF
Chapter 3 Spatial Domain Image Processing.pdf
PDF
Peak of Data & AI Encore- AI for Metadata and Smarter Workflows
PPTX
Big Data Technologies - Introduction.pptx
PDF
How UI/UX Design Impacts User Retention in Mobile Apps.pdf
PPTX
A Presentation on Artificial Intelligence
PDF
Encapsulation theory and applications.pdf
PPTX
Detection-First SIEM: Rule Types, Dashboards, and Threat-Informed Strategy
PPTX
Effective Security Operations Center (SOC) A Modern, Strategic, and Threat-In...
PDF
The Rise and Fall of 3GPP – Time for a Sabbatical?
PDF
NewMind AI Monthly Chronicles - July 2025
PDF
KodekX | Application Modernization Development
PDF
Modernizing your data center with Dell and AMD
Shreyas Phanse Resume: Experienced Backend Engineer | Java • Spring Boot • Ka...
Digital-Transformation-Roadmap-for-Companies.pptx
Electronic commerce courselecture one. Pdf
Review of recent advances in non-invasive hemoglobin estimation
Agricultural_Statistics_at_a_Glance_2022_0.pdf
Network Security Unit 5.pdf for BCA BBA.
Diabetes mellitus diagnosis method based random forest with bat algorithm
VMware vSphere Foundation How to Sell Presentation-Ver1.4-2-14-2024.pptx
Chapter 3 Spatial Domain Image Processing.pdf
Peak of Data & AI Encore- AI for Metadata and Smarter Workflows
Big Data Technologies - Introduction.pptx
How UI/UX Design Impacts User Retention in Mobile Apps.pdf
A Presentation on Artificial Intelligence
Encapsulation theory and applications.pdf
Detection-First SIEM: Rule Types, Dashboards, and Threat-Informed Strategy
Effective Security Operations Center (SOC) A Modern, Strategic, and Threat-In...
The Rise and Fall of 3GPP – Time for a Sabbatical?
NewMind AI Monthly Chronicles - July 2025
KodekX | Application Modernization Development
Modernizing your data center with Dell and AMD

The Magic of WPF & MVVM

  • 1. WEBCAST ON HANDS ON TO MAGICAL COMBINATION OF WPF AND MVVM ARCHITECTURE PRESENTED BY SHIBATOSH SINHA shibatosh@rediffmail.com http://www.facebook.com/Shibatosh.Sinha
  • 3. What is WPF ? The Windows Presentation Foundation (WPF) is a subset of the .NET Framework types that are located mostly in the namespace System.Windows and is tailor made for building Windows client applications with visually stunning user experiences. In other words it means resolution-independent display, usage of Extensible Application Markup Language (XAML), powerful data binding, control and data templates, various layout options, 2D and 3D graphics, animations, styles, flow documents, multimedia and a lot more features all rolled into one!
  • 4. SOME OF THE KEY FEATURES WE MIGHT LIKE TO SAIL THROUGH FOR TODAY’S SESSION ARE :
  • 5. RESOLUTION AND DEVICE-INDEPENDENT DISPLAY WPF got rid of this huge headache by incorporating Device Independent Pixels (DPI) which remains 1/96th of an inch, regardless of actual screen resolution. It is achieved by modifying the screen pixel density. It also uses a coordinate system of Improved precision for more accurate display.
  • 6. GRAPHICS AND ANIMATION SUPPORT It uses DirectX environment and can take advantage of the graphics hardware installed in the computer to minimize CPU usage. One highly advantageous point is that each part of the graphics we draw on screen is vector based and object oriented, so we have complete control to erase or modify each part of our display later on
  • 7. CONTROL TEMPLATES Wow! Another dream comes true for a developer. Now we can completely redesign the look of a control as per our wish. For example now each listboxitem in our listbox can have dynamic images, checkboxes, textboxes, dropdowns and whatever control we require to display that record. That’s what you call freedom! It also does one very important thing that is the XAML which takes care of the appearance and the model class which controls the behavior now becomes loosely coupled.
  • 8. 1. We define a Control Template <ControlTemplate TargetType="{x:Type ButtonBase}“ x:Key="btnBasicTemp"> <Grid Effect="{StaticResource ControlShadowEffect}"> <Rectangle x:Name="GelBackground“ RadiusX="9“ RadiusY="9" Fill="{TemplateBinding Background}“/> <ContentPresenter Margin="10,0,10,0“/> </Grid> </ControlTemplate> 2. A Style created for button uses that Control Template <Style TargetType="{x:Type ButtonBase}“ x:Key="btnBasic"> <Setter Property="Foreground“ Value="{StaticResource ButtonForegroundDefaultBrush}" /> <Setter Property="Background" Value="#567890"/> <Setter Property="Template“ Value="{StaticResource btnBasicTemp}" /> <Style.Triggers><MultiTrigger><MultiTrigger.Conditions> <Condition Property="IsMouseOver“ Value="True" /> <Condition Property="IsEnabled“ Value="True" /> </MultiTrigger.Conditions> <Setter Property="Foreground“ Value="{StaticResource btnHoverForeBrush}" /> </MultiTrigger></Style.Triggers> </Style> 3. A Button in form uses that Style <Button Style="{DynamicResource btnBasic}">Hi!</Button>
  • 9. EXAMPLE ARCHITECTURE : UI Layer View Model Business Logic Layer Data Layer Database
  • 10. EXAMPLE ARCHITECTURE : Window Window1.xaml INotifyPropertyChanged GroupsModel.cs – View Model Class Data Factory Classes Groups.cs - Singular & Plural Table classes IEnumerable Data Factory Classes Database
  • 11. DEPENDENCY PROPERTY It can be used just like a normal property but provides lot more extra features. Its value can be calculated indirectly from other usergiven inputs. • Property value coming from style <Style x:Key=“DefaultBtnStyle"> <Setter Property="Control.Background" Value=“SteelBlue"/> </Style> <Button Style="{StaticResource DefaultBtnStyle}">See my color!</Button> • Property value coming from data binding <TextBlock x:Name="txtMembers“ Text="{Binding Members}“/> • Property value coming from data binding dynamic resource <Button Style="{DynamicResource AlternativeBtnStyle}">Hi!</Button> • The property can inherit its value automatically from a parent element in the element tree which saves a lot of unnecessary duplication. • The property can report when the property value changes.
  • 12. DATA BINDING It is a process to transfer data between the controls of application UI and the properties of the model class. There are various modes to choose from depending on the situation. INotifyPropertyChanged is used to maintain continuous synchronization between the binding target and binding source. The UpdateSourceTrigger property of the binding determines which event triggers the update of the source. ICollectionView is used to implement Sorting, Filtering or Grouping on a data collection. UI Layer View Model Binding Target Binding Source Dependency One Way Property Property Two Way One Way To Source One Time Dependency Object Model Class Object ItemSource Observable Collection INotifyPropertyChanged SelectedItem Singular Element
  • 13. DATA TEMPLATE It is used to specify how data objects will be displayed in UI. <ListBox x:Name="lst" ItemsSource="{Binding GroupData}" SelectedItem="{Binding CurrentSingularData}"> <ListBox.ItemTemplate> <DataTemplate> <StackPanel Orientation="Vertical"> <TextBlock x:Name="txtName" Text="{Binding Name}"/> <TextBlock x:Name="txtMembers" Text="{Binding Members}"/> </StackPanel> <DataTemplate.Triggers> <DataTrigger Binding="{Binding Id}“ Value="{x:Null}"> <Setter TargetName="txtName“ Property="Text“ Value="Add New..." /> </DataTrigger> </DataTemplate.Triggers> </DataTemplate> </ListBox.ItemTemplate> </ListBox>
  • 14. MVVM – MODEL-VIEW-VIEWMODEL This is an architecture with a very loosely coupled design absolutely tailor-made for the WPF and Silverlight applications. • What we can see as the UI is known as the View. • The layer that arranges all the data in presentable format and supplies them to this View is the ViewModel. • The ViewModel gets it all from the Model. View ViewModel Model
  • 15. MVVM – MODEL-VIEW-VIEWMODEL (CONTINUED) The View-ViewModel binding is performed simply by setting a ViewModel object as the DataContext of a view. If property values in the ViewModel change, they automatically synchronize the view and ther is no need to write any code to update the view. As WPF supports Command Binding when we click a button in the View, a command on the ViewModel executes to perform the requested action. The beauty of this architecture lies in the fact that the ViewModel works independent of the View and so any existing UI design (View) can be altered to any extent and can be attached to the ViewModel again without any problem. Same relationship exist between the ViewModel and the Model making it a really modular and loosely coupled design.
  • 16. TRIGGERS A trigger is used to automatically perform some action if a certain condition is achieved. There are 3 trigger types in WPF. • Property Triggers • Event Triggers • Data Triggers • Property Triggers are executed when a property reaches a predefined value. <Style.Triggers> <Trigger Property="IsMouseOver“ Value="True"> <Setter Property="Background“ Value="#CCFFFF" /> </Trigger> </Style.Triggers>
  • 17. TRIGGERS (CONTINUED) • Event Triggers are executed when a particular event occurs. <Button Opacity="0" Content="Watch Me"> <Button.Triggers> <EventTrigger RoutedEvent="FrameworkElement.Loaded"> <BeginStoryboard Name="ActionName"> <Storyboard> <DoubleAnimation Storyboard.TargetProperty="Opacity" Duration="0:0:1" BeginTime="0:0:0.2" To="1.0" /> </Storyboard> </BeginStoryboard> </EventTrigger> </Button.Triggers> </Button>
  • 18. TRIGGERS (CONTINUED) • Data Triggers are executed when a binding expression reaches a predefined value. <DataTemplate.Triggers> <DataTrigger Binding="{Binding Id}“ Value="{x:Null}"> <Setter TargetName="txtName“ Property="Text“ Value="Add New..." /> </DataTrigger> </DataTemplate.Triggers>
  • 19. VALUE CONVERTERS They are used when our binding source and target properties have incompatible datatypes and we need somebody to perform that conversion at the time of binding. These classes are derived from IValueConverter. 1. We have to write some code block like this inside our converter classes public object Convert(object value, Type targetType, object parameter, System.Globalization.CultureInfo culture) { bool check = System.Convert.ToBoolean(value); if (check) return Visibility.Visible; else return Visibility.Collapsed; } 2. This is how the bolVisConverter is implemented <Button Content="Delete“ Visibility="{Binding ElementName=lstStatuses, Path=Items.Count, Converter={StaticResource bolVisConverter}}"/>