我试图编写android程序,它显示在两个不同的EditText字段中指定的两个整数的最大公约数。首先我用按钮完成它,一切正常(你可以看到onclick监听器在下面的代码中注释掉)。现在我想这样做:app检查两个EditTexts都不为空,然后自动开始计算并显示gcd。当我开始输入任何EditText字段时,Buty应用程序崩溃了。我还尝试在EditTexts之一上添加TextChangeListener。一切都很好,直到我删除其中一个字段的所有输入,然后应用程序再次崩溃。我只是开始了解android开发并且主要通过修改在互联网上找到的例子来制作这个应用程序,所以也许我做错了什么......有人能帮帮我吗?感谢
MainActivity.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();
}
}
}
答案 0 :(得分:2)
如果您发布堆栈跟踪可能会有所帮助,但我的猜测是您从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")
}
答案 1 :(得分:2)
实际上,您应该替换
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());
}
因为你想知道它们中的任何( || )是否为空,如果两者都是<(<>>&amp;&amp; ),则不是。