所以我目前正在研究我的基于字符串的计算器(学术上的练习,我还在学习),并且我在视图的代码后面放了很多逻辑。现在我的任务是将该逻辑转移到viewmodel中。我现在卡住了,我为我拥有的2个文本框创建了属性,而我想要的是我点击的数字/运算符被添加到文本框字符串中,至少现在,我的计算器引擎将执行休息。但我似乎无法填写文本框。它们应该从“0”开始,我点击的每个按钮都需要将相应的数字添加到文本框中,但是现在它只是替换当前的数字,或者添加它,但只与“0”组合。希望我不是太模糊,而且代码不是太多,我还在学习。 调试时我看到LowerTextBox的值,在“LowerTextBox = character”之后,例如字符为“8”,LowerTextBox得到“08”,为什么会这样?
class ViewModel : INotifyPropertyChanged
{
private bool _lastButtonEqual;
public ICommand StandardButtonCommand { get; set; }
public ICommand DigitsOnlyCommand { get; set; }
public ViewModel()
{
StandardButtonCommand = new RelayCommand<string>(Button_Click);
DigitsOnlyCommand = new RelayCommand<string>(OnlyDigitsInTextBox);
}
private string _upperTextBox;
public string UpperTextBox
{
get { return _upperTextBox = "0"; }
set
{
if (value == _upperTextBox) return;
_upperTextBox += value;
RaisePropertyChanged();
}
}
private string _lowerTextBox;
public string LowerTextBox
{
get { return _lowerTextBox = "0"; }
set
{
if (value == _lowerTextBox) return;
_lowerTextBox += value;
RaisePropertyChanged();
}
}
private void OnlyDigitsInTextBox(string character)
{
if (UpperTextBox.EndsWith("+") || UpperTextBox.EndsWith("-") || UpperTextBox.EndsWith("/") ||
UpperTextBox.EndsWith("*") || LowerTextBox == "0" || _lastButtonEqual)
{
LowerTextBox = character;
}
else
{
LowerTextBox += character;
}
if (UpperTextBox == "0")
{
UpperTextBox = character;
}
else
{
UpperTextBox = UpperTextBox + character;
}
_lastButtonEqual = false;
}
private void Button_Click(string digit)
{
OnlyDigitsInTextBox(digit);
}
public event PropertyChangedEventHandler PropertyChanged;
protected virtual void RaisePropertyChanged([CallerMemberName] string propertyName = null)
{
if (PropertyChanged != null)
{
PropertyChanged.Invoke(this, new PropertyChangedEventArgs(propertyName));
}
}
答案 0 :(得分:1)
你的Getters看起来像这样
get { return _lowerTextBox = "0"; }
这将基本上分配值&#34; 0&#34;然后返回刚刚分配的值&#34; 0&#34;。
他们应该看起来像这样
get { return _lowerTextBox; }
如果要设置初始值,请按照
进行设置private string _lowerTextBox = "0";
答案 1 :(得分:1)
将属性getter和setter更新为此。
private string _lowerTextBox = "0";
public string LowerTextBox
{
get { return _lowerTextBox; }
set
{
if (value == _lowerTextBox) return;
_lowerTextBox = value;
RaisePropertyChanged();
}
}