JavaScript 对话框
JavaScript支持三种重要的对话框类型。这些对话框可用于引发警示,确认任何输入或从用户那获得一种输入。下面我们将逐个讨论每种对话框。
警示对话框
警示对话框通常用于向用户提供警告消息。例如,如果一个输入字段需要输入一些文本但用户没有提供任何输入,那么作为验证的一部分,您可以使用一个警示框来提供警告消息。
然而,警示对话框仍可用于友好的消息。警示对话框只给出一个“确定”按钮供选择和继续。
示例
<html>
<head>
<script type = "text/javascript">
<!--
function Warn() {
alert ("This is a warning message!");
document.write ("This is a warning message!");
}
//-->
</script>
</head>
<body>
<p>Click the following button to see the result: </p>
<form>
<input type = "button" value = "Click Me" onclick = "Warn();" />
</form>
</body>
</html>
确认对话框
确认对话框通常用于获取用户在某个选项上的同意。它显示一个带有两个按钮的对话框: 确定 和 取消 。
如果用户点击确定按钮,窗口方法 confirm() 将返回true。如果用户点击取消按钮, confirm() 将返回false。你可以按照以下方式使用确认对话框。
示例
<html>
<head>
<script type = "text/javascript">
<!--
function getConfirmation() {
var retVal = confirm("Do you want to continue ?");
if( retVal == true ) {
document.write ("User wants to continue!");
return true;
} else {
document.write ("User does not want to continue!");
return false;
}
}
//-->
</script>
</head>
<body>
<p>Click the following button to see the result: </p>
<form>
<input type = "button" value = "Click Me" onclick = "getConfirmation();" />
</form>
</body>
</html>
提示对话框
当您想要弹出一个文本框来获取用户输入时,提示对话框非常有用。通过它,您可以与用户进行交互。用户需要填写字段,然后点击确定。
使用一个叫做 prompt() 的方法来显示这个对话框,它接受两个参数:(i) 一个要显示在文本框中的标签,和 (ii) 要显示在文本框中的默认字符串。
这个对话框有两个按钮: 确定 和 取消 。如果用户点击确定按钮,窗口方法 prompt() 将返回来自文本框的输入值。如果用户点击取消按钮,窗口方法 prompt() 将返回 null 。
示例
下面的示例展示了如何使用提示对话框:
<html>
<head>
<script type = "text/javascript">
<!--
function getValue() {
var retVal = prompt("Enter your name : ", "your name here");
document.write("You have entered : " + retVal);
}
//-->
</script>
</head>
<body>
<p>Click the following button to see the result: </p>
<form>
<input type = "button" value = "Click Me" onclick = "getValue();" />
</form>
</body>
</html>