做一个待办已办H5移动端的html页面
时间: 2023-10-05 13:08:17 浏览: 153
好的,下面是一个简单的待办已办H5移动端页面的示例代码,你可以参考它来创建自己的页面:
```
<!DOCTYPE html>
<html>
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>待办事项</title>
<style>
/* 设置页面样式 */
body {
font-family: Arial, sans-serif;
margin: 0;
padding: 0;
}
h1 {
text-align: center;
margin-top: 10px;
}
.container {
width: 100%;
max-width: 600px;
margin: 0 auto;
background-color: #f2f2f2;
padding: 20px;
box-sizing: border-box;
}
.form {
display: flex;
flex-direction: column;
margin-bottom: 20px;
}
.form label {
font-weight: bold;
margin-bottom: 10px;
}
.form input[type="text"] {
padding: 10px;
font-size: 16px;
border-radius: 5px;
border: none;
margin-bottom: 10px;
}
.form button {
padding: 10px;
font-size: 16px;
border-radius: 5px;
border: none;
background-color: #4CAF50;
color: #fff;
cursor: pointer;
}
.list {
list-style: none;
margin: 0;
padding: 0;
}
.list li {
padding: 10px;
margin-bottom: 5px;
border-radius: 5px;
background-color: #fff;
box-shadow: 0 2px 5px rgba(0, 0, 0, 0.1);
display: flex;
justify-content: space-between;
align-items: center;
}
.list li .delete-btn {
background-color: #f44336;
color: #fff;
border: none;
padding: 5px 10px;
border-radius: 5px;
cursor: pointer;
}
.list li.done {
background-color: #d7f3d5;
color: #4CAF50;
text-decoration: line-through;
}
</style>
</head>
<body>
<h1>待办事项</h1>
<div class="container">
<form class="form">
<label for="task-input">添加任务:</label>
<input type="text" id="task-input" placeholder="请输入任务名称">
<button type="button" id="add-btn">添加</button>
</form>
<ul class="list" id="task-list">
<!-- 这里将添加的待办事项项展示出来 -->
</ul>
</div>
<script>
// 获取页面元素
const taskInput = document.getElementById('task-input');
const addBtn = document.getElementById('add-btn');
const taskList = document.getElementById('task-list');
// 待办事项列表数据
let tasks = [];
// 添加待办事项
function addTask() {
const taskName = taskInput.value.trim();
if (!taskName) {
alert('请输入任务名称!');
return;
}
const task = {
name: taskName,
done: false
};
tasks.push(task);
renderTaskList();
taskInput.value = '';
}
// 删除待办事项
function deleteTask(index) {
tasks.splice(index, 1);
renderTaskList();
}
// 切换待办事项状态
function toggleTaskStatus(index) {
tasks[index].done = !tasks[index].done;
renderTaskList();
}
// 渲染待办事项列表
function renderTaskList() {
taskList.innerHTML = '';
tasks.forEach((task, index) => {
const li = document.createElement('li');
li.innerHTML = `
<span class="task-name${task.done ? ' done' : ''}">${task.name}</span>
<button class="delete-btn" onclick="deleteTask(${index})">删除</button>
`;
li.addEventListener('click', () => {
toggleTaskStatus(index);
});
taskList.appendChild(li);
});
}
// 绑定添加按钮事件
addBtn.addEventListener('click', addTask);
// 初始化页面
renderTaskList();
</script>
</body>
</html>
```
这段代码实现了一个简单的待办事项列表功能,包括添加、删除、标记已完成等操作。你可以根据自己的需求进行修改和扩展。
阅读全文