25

我需要有关如何在 java 中返回布尔方法的帮助。这是示例代码:

public boolean verifyPwd(){
        if (!(pword.equals(pwdRetypePwd.getText()))){
                  txtaError.setEditable(true);
                  txtaError.setText("*Password didn't match!");
                  txtaError.setForeground(Color.red);
                  txtaError.setEditable(false);
           }
        else {
            addNewUser();
        }
        return //what?
}

每当我verifyPwd()想调用该方法时,我都希望返回 true 或 false 的值。我想这样调用该方法:

if (verifyPwd()==true){
    //do task
}
else {
    //do task
}

如何设置该方法的值?

4

5 回答 5

24

您可以拥有多个return声明,因此编写是合法的

if (some_condition) {
  return true;
}
return false;

也没有必要将布尔值与trueor进行比较false,因此您可以编写

if (verifyPwd())  {
  // do_task
}

编辑:有时你不能早点回来,因为还有更多的工作要做。在这种情况下,您可以声明一个布尔变量并在条件块内适当地设置它。

boolean success = true;

if (some_condition) {
  // Handle the condition.
  success = false;
} else if (some_other_condition) {
  // Handle the other condition.
  success = false;
}
if (another_condition) {
  // Handle the third condition.
}

// Do some more critical things.

return success;
于 2013-01-21T03:31:58.097 回答
7

尝试这个:

public boolean verifyPwd(){
        if (!(pword.equals(pwdRetypePwd.getText()))){
                  txtaError.setEditable(true);
                  txtaError.setText("*Password didn't match!");
                  txtaError.setForeground(Color.red);
                  txtaError.setEditable(false);
                  return false;
           }
        else {
            return true;
        }
        
}

if (verifyPwd()==true){
    addNewUser();
}
else {
    // passwords do not match

System.out.println("密码不匹配"); }

于 2013-01-21T03:32:55.240 回答
3
public boolean verifyPwd(){
        if (!(pword.equals(pwdRetypePwd.getText()))){
                  txtaError.setEditable(true);
                  txtaError.setText("*Password didn't match!");
                  txtaError.setForeground(Color.red);
                  txtaError.setEditable(false);
                  return false;
           }
        else {
            addNewUser();
            return true;
        }
}
于 2013-01-21T03:32:33.397 回答
3

为了便于阅读,您也可以这样做

boolean passwordVerified=(pword.equals(pwdRetypePwd.getText());

if(!passwordVerified ){
    txtaError.setEditable(true);
    txtaError.setText("*Password didn't match!");
    txtaError.setForeground(Color.red);
    txtaError.setEditable(false);
}else{
    addNewUser();
}
return passwordVerified;
于 2013-01-21T03:36:06.083 回答
1

最好的方法是Boolean在代码块中声明变量并在代码return末尾声明变量,如下所示:

public boolean Test(){
    boolean booleanFlag= true; 
    if (A>B)
    {booleanFlag= true;}
    else 
    {booleanFlag = false;}
    return booleanFlag;

}

我觉得这是最好的方法。

于 2016-11-07T16:39:46.163 回答