创建一个网页,页面有个输入框和提交按钮, 用户在输入框中输入内容并点击按钮,页面弹出确认提交信息,用户点击确认,页面显示用户的输入内容;用户点击取消,则返回当前页面; 如果用户输入值为空号,则弹出提示内容不能为空代码怎么写
时间: 2024-09-28 19:12:10 浏览: 34
创建这样一个网页涉及到HTML、CSS和JavaScript。以下是简单的代码示例:
```html
<!DOCTYPE html>
<html lang="zh">
<head>
<meta charset="UTF-8">
<title>Input Form</title>
<style>
/* CSS样式省略 */
.modal {
display: none; /* 开始时隐藏 */
position: fixed; /* 定位到屏幕中心 */
z-index: 1; /* 置于其他元素之上 */
left: 0;
top: 0;
width: 100%;
height: 100%;
overflow: auto; /* 避免滚动条 */
background-color: rgba(0, 0, 0, 0.4); /* 模态层背景颜色 */
}
.modal-content {
background-color: #fefefe;
margin: 15% auto;
padding: 20px;
border: 1px solid #888;
width: 80%;
}
.close {
color: #aaa;
float: right;
font-size: 28px;
font-weight: bold;
}
</style>
</head>
<body>
<input type="text" id="inputText" placeholder="请输入内容">
<button onclick="showModal()">提交</button>
<!-- 模态框 -->
<div id="myModal" class="modal">
<div class="modal-content">
<span class="close">×</span>
<p id="promptMessage">内容不能为空,请填写。</p>
</div>
</div>
<script>
function showModal() {
const inputText = document.getElementById('inputText').value;
if (!inputText) {
document.getElementById('promptMessage').innerText = '内容不能为空,请填写。';
document.getElementById('myModal').style.display = 'block';
return;
}
// 用户点击确认的处理
const confirmBtn = document.createElement('button');
confirmBtn.innerText = '确认';
confirmBtn.onclick = function () {
document.getElementById('myModal').style.display = 'none'; // 隐藏模态框
alert(inputText); // 显示提示框并显示用户输入的内容
};
// 用户点击取消的处理
const cancelButton = document.createElement('button');
cancelButton.innerText = '取消';
cancelButton.onclick = function () {
document.getElementById('myModal').style.display = 'none'; // 隐藏模态框
return false; // 返回当前页面
};
document.querySelector('.modal-content').appendChild(confirmBtn);
document.querySelector('.modal-content').appendChild(cancelButton);
document.getElementById('myModal').style.display = 'block'; // 显示模态框
}
// 关闭模态框的事件监听
window.onclick = function(event) {
if (event.target == document.getElementById('myModal')) {
document.getElementById('myModal').style.display = 'none';
}
};
</script>
</body>
</html>
```
阅读全文