我正在尝试编写Android程序,该程序显示在两个不同的EditText字段中指定的两个整数的最大公约数。首先,我用按钮完成了它,一切正常(您可以在下面的代码中看到 onclick 侦听器注释掉(。现在我想这样做:应用程序检查两个 EditText 何时都不为空,然后自动开始计算并显示 gcd。当我开始在任何编辑文本字段中输入时,Buty 应用程序崩溃。此外,我尝试仅在其中一个EditTexts上添加TextChangeListener。一切都很好,直到我从其中一个字段中删除所有输入,然后应用程序再次崩溃。我才刚刚开始了解 android 开发,并且主要通过修改互联网上找到的示例来制作这个应用程序,所以也许我做错了什么......谁能帮我?谢谢
主要活动.java
public class MainActivity extends Activity
{
EditText a;
EditText b;
TextView gcdResult;
Button calculateGcd;
int a, b, gcdValue
TextWatcher textWatcher = new TextWatcher(){
@Override
public void afterTextChanged(Editable s){}
@Override
public void beforeTextChanged(CharSequence s,int start, int count, int after){}
@Override
public void onTextChanged(CharSequence s, int start, int before, int count){
AutoCalculateGcd();
}
};
@Override
protected void onCreate(Bundle savedInstanceState)
{
super.onCreate(savedInstanceState);
setContentView(R.layout.main);
a = (EditText)findViewById(R.id.aText1);
b = (EditText)findViewById(R.id.bText1);
gcdResult = (TextView)findViewById(R.id.resultTextView1);
calculateGcd = (Button)findViewById(R.id.calcButton1);
/* calculateGcd.setOnClickListener(new OnClickListener(){
public void onClick(View v){
AutoCalculateRatio();
}
});*/
a.addTextChangedListener(textWatcher);
b.addTextChangedListener(textWatcher);
}
//Euclidean alghorithm to find gcd
public static int gcd(int a, int b) {
if (b == 0) return w;
else return gcd(b a % b);
}
public static boolean isInputNotEmpty(EditText a, EditText b){
String a = a.getText().toString();
String b = b.getText().toString();
if(a.equals("") && b.equals("") ){
return false;
}
else{
return true;
}
}
public void AutoCalculateGcd(){
if(isInputNotEmpty(a, b)){
a = Integer.parseInt(width.getText().toString());
b = Integer.parseInt(height.getText().toString());
gcdValue = gcd(a, b);
ratioResult.setText(Integer.toString(gcdValue));
}
else{
//Toast.makeText(this, "No input", Toast.LENGTH_SHORT).show();
}
}
}
实际上,您应该替换
public static boolean isInputNotEmpty(EditText a, EditText b) {
String a = a.getText().toString();
String b = b.getText().toString();
if (a.equals("") && b.equals("")) {
return false;
}
else {
return true;
}
}
跟
public static boolean isInputNotEmpty(EditText a, EditText b) {
String a = a.getText().toString();
String b = b.getText().toString();
if (a.equals("") || b.equals("")) {
return false;
}
else {
return true;
}
}
甚至
public static boolean isInputNotEmpty(EditText a, EditText b) {
return !(a.getText().toString().isEmpty() || b.getText().toString().isEmpty());
}
因为您想知道它们中的任何 (||(是否为空,而不是如果两者都为 (&&(。
如果您发布堆栈跟踪可能会有所帮助,但我的猜测是您从Integer.parseInt()
调用中获得了 NumberFormatException。一种方法是执行以下操作:
try {
a = Integer.parseInt(width.getText().toString());
b = Integer.parseInt(height.getText().toString());
gcdValue = gcd(a, b);
ratioResult.setText(Integer.toString(gcdValue));
} catch ( NumberFormatException e) {
ratioResult.setText("N/A")
}