因此,我已经进行了大量研究,试图为Hello World游戏应用程序实现简单的PIN身份验证系统。不幸的是,我认为有些事情仍然困扰着我。

按照我的代码当前的样子,它显示对话框,并且不允许取消对话框。但是,EditText字段不再出现,这违背了要求输入PIN的目的。我认为出于布局目的需要链接的XML文件,但是,Android Studio似乎不接受对此文件的调用(即pinauth.setView(findViewById(R.layout.dialog_pin));,我认为这不是正确的结构)。

您可以提供的任何帮助将不胜感激。整个方法的代码发布在下面。



public void auth(View v)
{

// The logout method works fine, since no PIN is necessary.
if(users.getBoolean("activeLogin", false) == true) successLogout();
    else
    {
        // Get selected user and pull SharedPreferences to get stored PIN.
        final String activeUser = userList.getSelectedItem().toString();
        scores = getSharedPreferences(activeUser, 0);

        // If a PIN is found on file, launch AlertDialog to prompt for PIN. No XML file is linked to the AlertDialog at this time.
        if(scores.getInt("pin", 123456789) != 123456789)
        {
            AlertDialog.Builder pinAuth = new AlertDialog.Builder(this);
            pinAuth.setTitle("PIN required.");
            pinAuth.setMessage("Please enter your pin.");
            pinAuth.setCancelable(false);
            pinAuth.setView(findViewById(R.layout.dialog_pin))
            final EditText pin = new EditText(this);
            pin.setInputType(InputType.TYPE_NUMBER_VARIATION_PASSWORD);

            // These checks seem to work ok.
            pinAuth.setPositiveButton("Login", new DialogInterface.OnClickListener() {
                @Override
                public void onClick(DialogInterface dialog, int which) {
                    if(pin.getText().toString().isEmpty())
                    {
                        makeToast("Sorry, no pin was entered.", Toast.LENGTH_SHORT);
                        return;
                    }
                    else if(Integer.valueOf(pin.getText().toString()) != scores.getInt("pin", 123456789))
                    {
                        makeToast("Sorry, that pin was incorrect. Try again.", Toast.LENGTH_SHORT);
                        return;
                    }
                    else
                        successLogin(activeUser);

                }
            });

            // Show the AlertDialog.
            pinAuth.show();
        }

        // if the account has no PIN
        else successLogin(activeUser);
    }
}


附带说明,PIN最多只能包含8个数字字符,因此123456789首先是不可能创建的PIN,因此检查该引脚不等于所述数字的条件语句不应干扰操作。

最佳答案

您需要先inflate自定义布局。

AlertDialog.Builder pinAuth = new AlertDialog.Builder(this);
LayoutInflater inflater = LayoutInflater.from(this);
View view = inflater.inflate(R.layout.dialog_pin, null);

pinAuth.setTitle("PIN required.");
pinAuth.setCancelable(false);
pinAuth.setView(view);

final EditText pin = (EditText) view.findViewById(R.id.whateverThisEditTextIdIs);
pin.setInputType(InputType.TYPE_NUMBER_VARIATION_PASSWORD);


请注意,我还更改了引用/创建EditText对象的方式。我还取消了pinAuth.setMessage()的使用,因为您的自定义布局可能会显示该消息。

07-27 16:02