我正在尝试根据以下任何输入来计算此人收到的薪水 - 每小时、每天、每周、每月、每年。当输入其中一个时,应自动重新计算其他的。
这是我如何进行的:
首先,我Double
在活动顶部定义了 5 个类型变量。它们是:每小时、每天、每周、每月、每年。然后我有 5 个 EditText 字段,对应于这些变量。我已经附加了一个自定义子类来实现TextWatcher
这 5 个 EditTexts。
例如:
etHourly = (EditText) findViewById(R.id.etHourly);
etHourly.addTextChangedListener(new EditTextWatcher(etHourly));
这个自定义类有一个构造函数,它接受并存储传递给它的视图,因为TextWatcher
该类的默认方法不提供一种方法来找出哪个视图调用了更改。
将传递的视图保存为自定义子类中的局部变量后,我继续afterTextChanged
在该子类中实现并获取传递的 EditText 的值并将其保存为Double
活动顶部的相应定义变量。(例如,如果传递的 EditText 是针对周薪的,我将这个 EditText 的值设置为weekly
变量的双精度值。
最后,就在afterTextChanged
方法结束之前,我调用了另一个自定义方法Recalculate()
,它有一堆if()
's 来检查是否设置了每小时、每天、每周、每月或每年,如果是,则计算并setText()
在剩余的 EditText 上使用。问题是这setText()
将为这些 EditText 中的每一个调用 TextWatchers,从而导致无限循环。
我该如何克服呢?
这里有一些代码可以更好地理解这一点。在创建之前:
Double hourly, daily, weekly, monthly, yearly = 0.0;
EditText etHourly, etDaily, etWeekly, etMonthly, etYearly;
在 onCreate() 内部:
etHourly = (EditText) findViewById(R.id.etHourly);
etDaily = (EditText) findViewById(R.id.etDaily);
etWeekly = (EditText) findViewById(R.id.etWeekly);
etMonthly = (EditText) findViewById(R.id.etMonthly);
etYearly = (EditText) findViewById(R.id.etYearly);
etHourly.addTextChangedListener(new EditTextWatcher(etHourly));
etDaily.addTextChangedListener(new EditTextWatcher(etDaily));
etWeekly.addTextChangedListener(new EditTextWatcher(etWeekly));
etMonthly.addTextChangedListener(new EditTextWatcher(etMonthly));
etYearly.addTextChangedListener(new EditTextWatcher(etYearly));
子类EditTextWatcher
:
private class EditTextWatcher implements TextWatcher {
EditText v;
public EditTextWatcher(EditText view) {
this.v = view;
}
public void afterTextChanged(Editable s) {
Reinit();
// Only if the currently edited text field contains something
if (v.getText().toString().length() > 0) {
switch (v.getId()) {
case R.id.etHourly:
hourly = getTvAsDouble(etHourly);
break;
case R.id.etDaily:
daily = getTvAsDouble(etDaily);
break;
case R.id.etWeekly:
weekly = getTvAsDouble(etWeekly);
break;
case R.id.etMonthly:
monthly = getTvAsDouble(etMonthly);
break;
case R.id.etYearly:
yearly = getTvAsDouble(etYearly);
break;
default:
}
}
Recalculate();
}
public void beforeTextChanged(CharSequence s, int start, int count,
int after) {
}
public void onTextChanged(CharSequence s, int start, int before,
int count) {
}
}
重新初始化():
hourly = daily = weekly = monthly = yearly = 0.0;
重新计算():
if(hourly!=null && hourly>0.0){
etDaily.setText(String.valueOf(hourly*8));
}
// I will complete the other if's once this works