I am making a Yahtzee game in an attempt to learn WPF/MVVM. I've made some progress, but I am struggling on how to give my dices a random int value ("rolling") using ICommand. So I have a Dice Class like this:
public class Die : INotifyPropertyChanged
{
int _id;
int _roll;
bool _checked;
}
These properties have all got constructors like this:
public bool Checked
{
get { return _checked; }
set { _checked = value;
OnPropertyChanged("Checked"); }
}
"_id" is just a way to keep track of the dices, not even sure it's needed. "_roll" is a random value, which is the question at hand, and "_checked" is a checkbox the player can check off if he wants to keep this value for the next throw.
My ViewModel looks like this:
public class DiceViewModel : INotifyPropertyChanged
{
Die _die;
public DiceViewModel()
{
myDices = new ObservableCollection<Die>()
{
new Die { Id = 1, Roll = 0, Checked = false },
new Die { Id = 2, Roll = 0, Checked = false },
new Die { Id = 3, Roll = 0, Checked = false },
new Die { Id = 4, Roll = 0, Checked = false },
new Die { Id = 5, Roll = 0, Checked = false },
};
}
}
My best attempt at creating the commands is like this:
public class RollDiceCommand : ICommand
{
private Action<object> _method;
public event EventHandler CanExecuteChanged;
public RollDiceCommand(Action<object> method)
{
_method = method;
}
public bool CanExecute (object parameter)
{
if ((bool)parameter == true)
{
return true;
}
else
return false;
}
public void Execute(object parameter)
{
}
}
So the two things I can't understand how to create is how to see if each dice's _checked property is false or not, and if checked is false give the current Die a new number. I also need to loop through all 5 dices after hitting my "Roll Dice" button.
- Do I need to make the RollDiceCommand into it's own file or put it with the VM/M?
- How to get the _checked property as the CanExecute parameter
- How to randomize one Dice's _roll value, I guess question 2 solves this one as well.
I'll try to help you on way how i do it:
1) ObservableCollection is right choice, but if you need infos from that collection, why not make a property??? Then you can in private write/create list and to outside it will be only readable
2) If your command is with GUI connected, then yes put it in VM 3) Class where you implement CanExecute method, needs to have access to MyDices list. To get propertys you need to create them.
Your Dice class has 3 private variable. Which are only inside visible, just like in 1), to make them a property:
UPDATE:
I have a base class for VM created.