javaWeb项目之新闻管理系统

这是csdn保存的源码,如有需要,可自行下载:https://download.csdn.net/download/fzt12138/11776339
另外,根据各位下载后的反馈,系统中缺少jar包,现已补齐,下载地址为:https://download.csdn.net/download/fzt12138/12525349
如有需要,可自行下载,该系统为MySQL数据库,idea开发。
一、后台代码

①文件路径

src/com/news/bean/NewsComment.java

package com.news.bean;import java.sql.Date;public class NewsComment {private int id;private int newsid;private String content;private String author;private Date createdate;@Overridepublic String toString() {return  newsid +"," + content+"," + author+"," + createdate;}public int getId() {return id;}public void setId(int id) {this.id = id;}public int getNewsid() {return newsid;}public void setNewsid(int newsid) {this.newsid = newsid;}public String getContent() {return content;}public void setContent(String content) {this.content = content;}public String getAuthor() {return author;}public void setAuthor(String author) {this.author = author;}public Date getCreatedate() {return createdate;}public void setCreatedate(Date createdate) {this.createdate = createdate;}
}

src/com/news/bean/NewsDetail.java

package com.news.bean;import java.sql.Date;public class NewsDetail {private int id;private String title;private String summary;private String author;private Date createdate;public String toString1() {return title+"," + summary+"," + author +"," + createdate;}@Overridepublic String toString() {return "NewsDetail{" +"id=" + id +", title='" + title + '\'' +", summary='" + summary + '\'' +", author='" + author + '\'' +", createdate=" + createdate +'}';}public int getId() {return id;}public void setId(int id) {this.id = id;}public String getTitle() {return title;}public void setTitle(String title) {this.title = title;}public String getSummary() {return summary;}public void setSummary(String summary) {this.summary = summary;}public String getAuthor() {return author;}public void setAuthor(String author) {this.author = author;}public Date getCreatedate() {return createdate;}public void setCreatedate(Date createdate) {this.createdate = createdate;}
}

src/com/news/bean/PageBean.java

package com.news.bean;public class PageBean {private int currPage=1;private int totalPage;private int size=4;private int count;private String title;public String getTitle() {return title;}public void setTitle(String title) {this.title = title;}public int getCurrPage() {return currPage;}public void setCurrPage(int currPage) {this.currPage = currPage;}public int getTotalPage() {return totalPage;}public void setTotalPage(int totalPage) {this.totalPage = totalPage;}public int getSize() {return size;}public void setSize(int size) {this.size = size;}public int getCount() {return count;}public void setCount(int count) {this.count = count;}}

src/com/news/bean/PinLun.java

package com.news.bean;import java.sql.Date;public class PinLun {
private int id;
private Date createdate;public Date getCreatedate() {return createdate;}public void setCreatedate(Date createdate) {this.createdate = createdate;}public int getId() {return id;}public void setId(int id) {this.id = id;}private int newsid;@Overridepublic String toString() {return content+"," + author;}public int getNewsid() {return newsid;}public void setNewsid(int newsid) {this.newsid = newsid;}private String content;
private String author;public String getContent() {return content;}public void setContent(String content) {this.content = content;}public String getAuthor() {return author;}public void setAuthor(String author) {this.author = author;}}

src/com/news/dao/impl/NewsDaoImpl.java

package com.news.dao.impl;import com.news.bean.NewsDetail;
import com.news.bean.PageBean;
import com.news.dao.INewsDao;
import com.news.utils.JdbcUtil;
import org.apache.commons.dbutils.QueryRunner;
import org.apache.commons.dbutils.handlers.BeanListHandler;
import org.apache.commons.dbutils.handlers.ScalarHandler;import java.util.List;public class NewsDaoImpl implements INewsDao {@Overridepublic List<NewsDetail> selectLikePage(PageBean page) {QueryRunner qr = new QueryRunner(JdbcUtil.getDS());int startRow=(page.getCurrPage()-1)*page.getSize();String sql="select * from news_detail where 1=1";if(page.getTitle()!=null&&!page.getTitle().equals("")){sql+=" and title like '%"+page.getTitle()+"%'";}sql+=" limit ?,?";try {return qr.query(sql,new BeanListHandler<NewsDetail>(NewsDetail.class),startRow,page.getSize());} catch (Exception e) {throw new RuntimeException(e);}}@Overridepublic int selectCount() {QueryRunner qr = new QueryRunner(JdbcUtil.getDS());try {return qr.query("select count(*) from news_detail",new ScalarHandler<Long>()).intValue();} catch (Exception e) {throw new RuntimeException(e);}}
}

src/com/news/dao/impl/PinLunDaoImpl.java

package com.news.dao.impl;import com.news.bean.PinLun;
import com.news.dao.IPinLunDao;
import com.news.utils.JdbcUtil;
import org.apache.commons.dbutils.QueryRunner;
import org.apache.commons.dbutils.handlers.BeanListHandler;import java.sql.SQLException;
import java.util.Date;
import java.util.List;public class PinLunDaoImpl implements IPinLunDao {@Overridepublic List<PinLun> selectPinLun(String id) {QueryRunner qr = new QueryRunner(JdbcUtil.getDS());try {return qr.query("select * from news_comment where newsid=?",new BeanListHandler<PinLun>(PinLun.class),id);} catch (Exception e) {throw new RuntimeException(e);}}@Overridepublic int addPinLun(PinLun pinlun) {QueryRunner qr = new QueryRunner(JdbcUtil.getDS());Date date = new Date();try {return qr.update("insert into news_comment(newsid,content,author,createdate) values(?,?,?,?)",pinlun.getId(),pinlun.getContent(),pinlun.getAuthor(),date);} catch (Exception e) {throw new RuntimeException(e);}}@Overridepublic int delete(String id) {QueryRunner qr = new QueryRunner(JdbcUtil.getDS());try {qr.update("delete from news_comment where newsid=?",id);return qr.update("delete from news_detail where id=?",id);} catch (SQLException e) {throw new RuntimeException(e);}}
}

src/com/news/dao/INewsDao.java

package com.news.dao;import com.news.bean.NewsDetail;
import com.news.bean.PageBean;import java.util.List;public interface INewsDao {List<NewsDetail> selectLikePage(PageBean page);int selectCount();
}

src/com/news/dao/IPinLunDao.java

package com.news.dao;import com.news.bean.PinLun;import java.util.List;public interface IPinLunDao {List<PinLun> selectPinLun(String id);int addPinLun(PinLun pinlun);int delete(String id);
}

src/com/news/service/impl/NewsServiceImpl.java

package com.news.service.impl;import com.news.bean.NewsDetail;
import com.news.bean.PageBean;
import com.news.dao.INewsDao;
import com.news.dao.impl.NewsDaoImpl;
import com.news.service.INewsService;import java.util.List;public class NewsServiceImpl implements INewsService {private INewsDao dao=new NewsDaoImpl();@Overridepublic List<NewsDetail> selectLikePage(PageBean page) {int count=dao.selectCount();int totalPage=(count%4==0)?(count/4):(count/4+1);page.setCount(count);page.setTotalPage(totalPage);return dao.selectLikePage(page);}
}

src/com/news/service/impl/PinLunServiceImpl.java

package com.news.service.impl;import com.news.bean.PinLun;
import com.news.dao.IPinLunDao;
import com.news.dao.impl.PinLunDaoImpl;
import com.news.service.IPinLunService;import java.util.List;public class PinLunServiceImpl implements IPinLunService {private IPinLunDao dao=new PinLunDaoImpl();@Overridepublic List<PinLun> selectPinLun(String id) {return dao.selectPinLun(id);}@Overridepublic int addPinLun(PinLun pinlun) {return dao.addPinLun(pinlun);}@Overridepublic int delete(String id) {return dao.delete(id);}}

src/com/news/service/INewsService.java

package com.news.service;import com.news.bean.NewsDetail;
import com.news.bean.PageBean;import java.util.List;public interface INewsService {List<NewsDetail> selectLikePage(PageBean page);
}

src/com/news/service/IPinLunService.java

package com.news.service;import com.news.bean.PinLun;import java.util.List;public interface IPinLunService {List<PinLun> selectPinLun(String id);int addPinLun(PinLun pinlun);int delete(String id);
}

src/com/news/utils/JdbcUtil.java

package com.news.utils;import com.mchange.v2.c3p0.ComboPooledDataSource;
import org.apache.commons.beanutils.BeanUtils;
import org.apache.commons.beanutils.ConvertUtils;
import org.apache.commons.beanutils.converters.SqlDateConverter;import javax.sql.DataSource;
import java.util.Map;public class JdbcUtil {//读取c3p0配置文件中的参数 四大参数private static DataSource ds = new ComboPooledDataSource();public static DataSource getDS() {return ds;}static {ConvertUtils.register(new SqlDateConverter(null), java.sql.Date.class);ConvertUtils.register(new SqlDateConverter(null), java.util.Date.class);}public static <T> T mapToBean(Map map, Class<T> c) {try {T t = c.newInstance();BeanUtils.populate(t, map);return t;} catch (Exception e) {throw new RuntimeException(e);}}
}

src/com/news/web/AddPinLunServlet.java

package com.news.web;import com.news.bean.PinLun;
import com.news.service.IPinLunService;
import com.news.service.impl.PinLunServiceImpl;
import com.news.utils.JdbcUtil;import javax.servlet.ServletException;
import javax.servlet.http.HttpServlet;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
import java.io.IOException;
import java.util.Map;public class AddPinLunServlet extends HttpServlet {
private IPinLunService service=new PinLunServiceImpl();protected void doPost(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {request.setCharacterEncoding("utf-8");Map<String, String[]> map = request.getParameterMap();PinLun pinlun = JdbcUtil.mapToBean(map, PinLun.class);int i=service.addPinLun(pinlun);String msg=i==1?"新增成功!":"新增失败!";request.getSession().setAttribute("msg",msg);response.getWriter().write(msg);response.sendRedirect("/News/show");}protected void doGet(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {response.setContentType("text/html;charset=UTF-8");request.getRequestDispatcher("/jsp/addPinLun.jsp").include(request,response);// response.sendRedirect("/News/jsp/addPinLun.jsp");}
}

src/com/news/web/DeleteServlet.java

package com.news.web;import com.news.service.IPinLunService;
import com.news.service.impl.PinLunServiceImpl;import javax.servlet.ServletException;
import javax.servlet.http.HttpServlet;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
import javax.servlet.http.HttpSession;
import java.io.IOException;public class DeleteServlet extends HttpServlet {IPinLunService service=new PinLunServiceImpl();protected void doPost(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {}protected void doGet(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {response.setContentType("text/html;charset=UTF-8");String id = request.getParameter("id");int i=service.delete(id);HttpSession session = request.getSession();String msg=i==1?"<script>alert('删除成功!')</script>":"<script>alert('删除失败!')</script>";session.setAttribute("msg",msg);response.getWriter().write(msg);response.sendRedirect("/News/show");}
}

src/com/news/web/showPinLunServlet.java

package com.news.web;import com.news.bean.PinLun;
import com.news.service.IPinLunService;
import com.news.service.impl.PinLunServiceImpl;import javax.servlet.ServletException;
import javax.servlet.http.HttpServlet;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
import javax.servlet.http.HttpSession;
import java.io.IOException;
import java.util.List;public class showPinLunServlet extends HttpServlet {private IPinLunService service=new PinLunServiceImpl();protected void doPost(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {}protected void doGet(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {response.setContentType("text/html;charset=UTF-8");String id=request.getParameter("id");List<PinLun> list=service.selectPinLun(id);HttpSession session = request.getSession();session.setAttribute("list",list);request.getRequestDispatcher("/jsp/showPinLun.jsp").forward(request,response);}
}

src/com/news/web/ShowServlet.java

package com.news.web;import com.news.bean.NewsDetail;
import com.news.bean.PageBean;
import com.news.service.INewsService;
import com.news.service.impl.NewsServiceImpl;
import com.news.utils.JdbcUtil;import javax.servlet.ServletException;
import javax.servlet.http.HttpServlet;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
import java.io.IOException;
import java.util.List;
import java.util.Map;public class ShowServlet extends HttpServlet {private PageBean page=new PageBean();private INewsService service=new NewsServiceImpl();protected void doPost(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {}protected void doGet(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {
response.setContentType("text/html;charset=UTF-8");Map<String, String[]> map = request.getParameterMap();page = JdbcUtil.mapToBean(map, PageBean.class);List<NewsDetail> list=service.selectLikePage (page);request.getSession().setAttribute("list",list);request.getSession().setAttribute("page",page);request.getRequestDispatcher("/jsp/show.jsp").forward(request,response);}
}

src/c3p0-config.xml

<?xml version="1.0" encoding="UTF-8"?>
<c3p0-config><!--默认配置--><default-config><property name="driverClass">com.mysql.jdbc.Driver</property><property name="jdbcUrl">jdbc:mysql://localhost:3306/K9503?characterEncoding=utf-8</property><property name="user">root</property><property name="password">123456</property></default-config></c3p0-config>

图片

[外链图片转存失败(img-wF376FDS-1562068507980)(C:\Users\Administrator\AppData\Roaming\Typora\typora-user-images\1562067860616.png)]

js插件

[外链图片转存失败(img-cuw3bj8F-1562068507982)(C:\Users\Administrator\AppData\Roaming\Typora\typora-user-images\1562067886806.png)]

二、前端代码:

web/jsp/addPinLun.jsp

<%--Created by IntelliJ IDEA.User: AdministratorDate: 2019/6/10Time: 12:15To change this template use File | Settings | File Templates.
--%>
<%@ page contentType="text/html;charset=UTF-8" language="java" %>
<html>
<head><title>新闻管理系统</title>
</head>
<body>
<hr color="bisque">
<div><div style="background-color: ghostwhite"><div style="width: 50px;float: left;margin: 15px auto auto 60px"><span style="font-family: kaiti;font-size: 25px;color: darkorchid">旧波新闻</span></div>[外链图片转存失败(img-ViCh7uhQ-1562068507983)(https://mp.csdn.net/img/bgimg2.jpg)]<span style="color: blue;font-family: kaiti;font-size: 50px;margin-left: 140px">欢迎访问旧波新闻!</span><div style="float: right;margin-right: 100px"><ul style="list-style-type: none"><li style="display:inline-block"><a href="/News/" style="color: black">首页/</a></li><li style="display:inline-block"><a href="/News/jsp/login.jsp" style="color: black">登录/</a></li><li style="display:inline-block"><a href="/News/jsp/register.jsp" style="color: black">注册</a></li></ul></div></div><h4 ><hr color="bisque"></h4><div align="center"><h3>添加评论</h3><form action="/News/addPinLun" method="post">评论内容:<textarea name="content" cols="30" rows="10" style="size: 50px"></textarea><br><br><br>评论人:<input type="text" name="author"><br><br><br><input type="hidden" name="id" value="${param.id}"><input type="submit" value="添加">&emsp;&emsp;<input type="button" value="返回" οnclick="location.href='/News/show'"></form></div>
</div>
</body>
</html>

web/jsp/login.jsp

<%--Created by IntelliJ IDEA.User: AdministratorDate: 2019/6/6Time: 16:07To change this template use File | Settings | File Templates.
--%>
<%@ page contentType="text/html;charset=UTF-8" language="java" %>
<html>
<head><title>新闻管理系统</title>
</head>
<body><hr color="bisque"><div><div style="background-color: ghostwhite"><div style="width: 50px;float: left;margin: 15px auto auto 60px"><span style="font-family: kaiti;font-size: 25px;color: darkorchid">旧波新闻</span></div>[外链图片转存失败(img-IH9gdq2i-1562068507985)(https://mp.csdn.net/img/bgimg2.jpg)]<span style="color: blue;font-family: kaiti;font-size: 50px;margin-left: 140px">欢迎访问旧波新闻!</span><div style="float: right;margin-right: 100px"><ul style="list-style-type: none"><li style="display:inline-block"><a href="/News/" style="color: black">首页/</a></li><li style="display:inline-block"><a href="/News/jsp/login.jsp" style="color: black">登录/</a></li><li style="display:inline-block"><a href="/News/jsp/register.jsp" style="color: black">注册</a></li></ul></div></div><h4 ><hr color="bisque"></h4><div align="center" style="margin-top: 150px"><h3 align="center" style="color: cornflowerblue">用户登录</h3><form action="/News/login" method="post">用户名: <input type="text" name="user"><br><br>密&nbsp;&nbsp;&nbsp;码: <input type="password" name="psw"><br><br><input type="submit" value="登录">&emsp;&emsp;&emsp;<input type="button" value="注册" οnclick="location.href='/News/jsp/register.jsp'"></form></div></div>
</body>
</body>
</html>

web/jsp/register.jsp

<%--Created by IntelliJ IDEA.User: AdministratorDate: 2019/6/6Time: 16:15To change this template use File | Settings | File Templates.
--%>
<%@ page contentType="text/html;charset=UTF-8" language="java" %>
<html>
<head><title>新闻管理系统</title>
</head>
<body>
<hr color="bisque">
<div><div style="background-color: ghostwhite"><div style="width: 50px;float: left;margin: 15px auto auto 60px"><span style="font-family: kaiti;font-size: 25px;color: darkorchid">旧波新闻</span></div>[外链图片转存失败(img-WDwrAy7T-1562068507985)(https://mp.csdn.net/img/bgimg2.jpg)]<span style="color: blue;font-family: kaiti;font-size: 50px;margin-left: 140px">欢迎访问旧波新闻!</span><div style="float: right;margin-right: 100px"><ul style="list-style-type: none"><li style="display:inline-block"><a href="/News/" style="color: black">首页/</a></li><li style="display:inline-block"><a href="/News/jsp/login.jsp" style="color: black">登录/</a></li><li style="display:inline-block"><a href="/News/jsp/register.jsp" style="color: black">注册</a></li></ul></div></div><h4 ><hr color="bisque"></h4><div align="center" style="margin-top: 150px"><h3 style="color: cornflowerblue">用户注册</h3><form action="/News/register" method="post"></form></div>
</div>
</body>
</html>

web/jsp/show.jsp

<%@ taglib prefix="c" uri="http://java.sun.com/jsp/jstl/core" %>
<%--Created by IntelliJ IDEA.User: AdministratorDate: 2019/6/6Time: 16:20To change this template use File | Settings | File Templates.
--%>
<%@ page contentType="text/html;charset=UTF-8" language="java" %>
<html>
<head><title>新闻管理系统</title><script src="/News/js/jquery-3.3.1.min.js"></script>
</head>
<body>
<hr color="bisque">
<div><div style="background-color: ghostwhite"><div style="width: 50px;float: left;margin: 15px auto auto 60px"><span style="font-family: kaiti;font-size: 25px;color: darkorchid">旧波新闻</span></div>[外链图片转存失败(img-W4XgbHbp-1562068507986)(https://mp.csdn.net/img/bgimg2.jpg)]<span style="color: blue;font-family: kaiti;font-size: 50px;margin-left: 140px">欢迎访问旧波新闻!</span><div style="float: right;margin-right: 100px"><ul style="list-style-type: none"><li style="display:inline-block"><a href="/News/" style="color: black">首页/</a></li><li style="display:inline-block"><a href="/News/jsp/login.jsp" style="color: black">登录/</a></li><li style="display:inline-block"><a href="/News/jsp/register.jsp" style="color: black">注册</a></li></ul></div></div><h4 ><hr color="bisque"></h4><div align="center"><form action="/News/show" method="post"><%--模糊查询区--%>新闻标题:<input type="text" name="title"><input type="hidden" name="currPage" value="1"><input type="submit" value="查询"></form><div align="center"><table border="1" cellpadding="13" cellspacing="1"><tr><td>新闻编号</td><td>新闻标题</td><td>新闻摘要</td><td>作者</td><td>创建时间</td><td>操作</td></tr><c:forEach var="news" items="${sessionScope.list}"><tr><td>${news.id}</td><td>${news.title}</td><td>${news.summary}</td><td>${news.author}</td><td>${news.createdate}</td><td><a href="/News/showPinLun?id=${news.id}">查看评论</a>||<a href="/News/addPinLun?id=${news.id}">评论</a>||<a οnclick="return confirm('确认删除该评论吗?')" href="/News/del?id=${news.id}">删除</a></td></tr></c:forEach></table></div><div align="center" style="margin-top: 30px"><table cellspacing="1" cellpadding="10"><tr><td><a href="javascript:goPage(1)">首页</a></td><td><a href="javascript:goPage(${sessionScope.page.currPage-1})">上一页</a></td><td><c:forEach var="i" begin="1" end="${sessionScope.page.totalPage}"> <a href="javascript:goPage(${i})">${i}</a></c:forEach></td><td><a href="javascript:goPage(${sessionScope.page.currPage+1})">下一页</a></td><td><a href="javascript:goPage(${sessionScope.page.totalPage})">尾页</a></td><td>跳转到<input type="text" value="${sessionScope.page.currPage}" size="5">页<input type="button" value="跳转" οnclick="goPage(this.previousElementSibling.value)"></td></tr></table></div></div>
</div></body>
<script>function goPage(v) {if(v<1){v=1;}var totalPage=${sessionScope.page.totalPage}if(v>totalPage){v=totalPage;}if(totalPage=0){v=1;}$(":hidden").val(v);$("form").submit();}
</script>
</html>

web/jsp/showPinLun.jsp

<%@ taglib prefix="c" uri="http://java.sun.com/jsp/jstl/core" %>
<%--Created by IntelliJ IDEA.User: AdministratorDate: 2019/6/10Time: 12:15To change this template use File | Settings | File Templates.
--%>
<%@ page contentType="text/html;charset=UTF-8" language="java" %>
<html>
<head><title>新闻管理系统</title>
</head>
<body>
<hr color="bisque">
<div><div style="background-color: ghostwhite"><div style="width: 50px;float: left;margin: 15px auto auto 60px"><span style="font-family: kaiti;font-size: 25px;color: darkorchid">旧波新闻</span></div>[外链图片转存失败(img-lxVzRoGT-1562068507987)(https://mp.csdn.net/img/bgimg2.jpg)]<span style="color: blue;font-family: kaiti;font-size: 50px;margin-left: 140px">欢迎访问旧波新闻!</span><div style="float: right;margin-right: 100px"><ul style="list-style-type: none"><li style="display:inline-block"><a href="/News/" style="color: black">首页/</a></li><li style="display:inline-block"><a href="/News/jsp/login.jsp" style="color: black">登录/</a></li><li style="display:inline-block"><a href="/News/jsp/register.jsp" style="color: black">注册</a></li></ul></div></div><h4 ><hr color="bisque"></h4><div align="center"><h3>评论列表</h3><input type="button" value="返回新闻列表页面" οnclick="location.href='/News/show'"></div><div align="center"><table border="1" cellspacing="1" cellpadding="10"><tr><td>评论编号</td><td>评论内容</td><td>评论人</td><td>评论时间</td></tr><c:forEach var="pinglun" items="${sessionScope.list}"><tr><td>${pinglun.id}</td><td>${pinglun.content}</td><td>${pinglun.author}</td><td>${pinglun.createdate}</td></tr></c:forEach></table></div>
</div></body>
</html>

web/WEB-INF/web.xml

<?xml version="1.0" encoding="UTF-8"?>
<xsd:schema xmlns="http://www.w3.org/2001/XMLSchema"targetNamespace="http://java.sun.com/xml/ns/javaee"xmlns:javaee="http://java.sun.com/xml/ns/javaee"xmlns:xsd="http://www.w3.org/2001/XMLSchema"elementFormDefault="qualified"attributeFormDefault="unqualified"version="2.5"><xsd:annotation><xsd:documentation>@(#)web-app_2_5.xsds	1.68 07/03/09</xsd:documentation></xsd:annotation><xsd:annotation><xsd:documentation>DO NOT ALTER OR REMOVE COPYRIGHT NOTICES OR THIS HEADER.Copyright 2003-2007 Sun Microsystems, Inc. All rights reserved.The contents of this file are subject to the terms of either theGNU General Public License Version 2 only ("GPL") or the CommonDevelopment and Distribution License("CDDL") (collectively, the"License").  You may not use this file except in compliance withthe License. You can obtain a copy of the License athttps://glassfish.dev.java.net/public/CDDL+GPL.html orglassfish/bootstrap/legal/LICENSE.txt.  See the License for thespecific language governing permissions and limitations under theLicense.When distributing the software, include this License HeaderNotice in each file and include the License file atglassfish/bootstrap/legal/LICENSE.txt.  Sun designates thisparticular file as subject to the "Classpath" exception asprovided by Sun in the GPL Version 2 section of the License filethat accompanied this code.  If applicable, add the followingbelow the License Header, with the fields enclosed by brackets []replaced by your own identifying information:"Portions Copyrighted [year] [name of copyright owner]"Contributor(s):If you wish your version of this file to be governed by only theCDDL or only the GPL Version 2, indicate your decision by adding"[Contributor] elects to include this software in thisdistribution under the [CDDL or GPL Version 2] license."  If youdon't indicate a single choice of license, a recipient has theoption to distribute your version of this file under either theCDDL, the GPL Version 2 or to extend the choice of license to itslicensees as provided above.  However, if you add GPL Version 2code and therefore, elected the GPL Version 2 license, then theoption applies only if the new code is made subject to suchoption by the copyright holder.</xsd:documentation></xsd:annotation><xsd:annotation><xsd:documentation><![CDATA[This is the XML Schema for the Servlet 2.5 deployment descriptor.The deployment descriptor must be named "WEB-INF/web.xml" in theweb application's war file.  All Servlet deployment descriptorsmust indicate the web application schema by using the Java EEnamespace:http://java.sun.com/xml/ns/javaeeand by indicating the version of the schema byusing the version element as shown below:<web-app xmlns="http://java.sun.com/xml/ns/javaee"xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"xsi:schemaLocation="..."version="2.5">...</web-app>The instance documents may indicate the published version ofthe schema using the xsi:schemaLocation attribute for Java EEnamespace with the following location:http://java.sun.com/xml/ns/javaee/web-app_2_5.xsd]]></xsd:documentation></xsd:annotation><xsd:annotation><xsd:documentation>The following conventions apply to all Java EEdeployment descriptor elements unless indicated otherwise.- In elements that specify a pathname to a file within thesame JAR file, relative filenames (i.e., those notstarting with "/") are considered relative to the root ofthe JAR file's namespace.  Absolute filenames (i.e., thosestarting with "/") also specify names in the root of theJAR file's namespace.  In general, relative names arepreferred.  The exception is .war files where absolutenames are preferred for consistency with the Servlet API.</xsd:documentation></xsd:annotation><xsd:include schemaLocation="javaee_5.xsd"/><xsd:include schemaLocation="jsp_2_1.xsd"/><!-- **************************************************** --><xsd:element name="web-app" type="javaee:web-appType"><xsd:annotation><xsd:documentation>The web-app element is the root of the deploymentdescriptor for a web application.  Note that the sub-elementsof this element can be in the arbitrary order. Because ofthat, the multiplicity of the elements of distributable,session-config, welcome-file-list, jsp-config, login-config,and locale-encoding-mapping-list was changed from "?" to "*"in this schema.  However, the deployment descriptor instancefile must not contain multiple elements of session-config,jsp-config, and login-config. When there are multiple elements ofwelcome-file-list or locale-encoding-mapping-list, the containermust concatenate the element contents.  The multiple occurenceof the element distributable is redundant and the containertreats that case exactly in the same way when there is onlyone distributable.</xsd:documentation></xsd:annotation><xsd:unique name="web-app-servlet-name-uniqueness"><xsd:annotation><xsd:documentation>The servlet element contains the name of a servlet.The name must be unique within the web application.</xsd:documentation></xsd:annotation><xsd:selector xpath="javaee:servlet"/><xsd:field    xpath="javaee:servlet-name"/></xsd:unique><xsd:unique name="web-app-filter-name-uniqueness"><xsd:annotation><xsd:documentation>The filter element contains the name of a filter.The name must be unique within the web application.</xsd:documentation></xsd:annotation><xsd:selector xpath="javaee:filter"/><xsd:field    xpath="javaee:filter-name"/></xsd:unique><xsd:unique name="web-app-ejb-local-ref-name-uniqueness"><xsd:annotation><xsd:documentation>The ejb-local-ref-name element contains the name of an EJBreference. The EJB reference is an entry in the webapplication's environment and is relative to thejava:comp/env context.  The name must be unique withinthe web application.It is recommended that name is prefixed with "ejb/".</xsd:documentation></xsd:annotation><xsd:selector xpath="javaee:ejb-local-ref"/><xsd:field    xpath="javaee:ejb-ref-name"/></xsd:unique><xsd:unique name="web-app-ejb-ref-name-uniqueness"><xsd:annotation><xsd:documentation>The ejb-ref-name element contains the name of an EJBreference. The EJB reference is an entry in the webapplication's environment and is relative to thejava:comp/env context.  The name must be unique withinthe web application.It is recommended that name is prefixed with "ejb/".</xsd:documentation></xsd:annotation><xsd:selector xpath="javaee:ejb-ref"/><xsd:field    xpath="javaee:ejb-ref-name"/></xsd:unique><xsd:unique name="web-app-resource-env-ref-uniqueness"><xsd:annotation><xsd:documentation>The resource-env-ref-name element specifies the name ofa resource environment reference; its value is theenvironment entry name used in the web application code.The name is a JNDI name relative to the java:comp/envcontext and must be unique within a web application.</xsd:documentation></xsd:annotation><xsd:selector xpath="javaee:resource-env-ref"/><xsd:field    xpath="javaee:resource-env-ref-name"/></xsd:unique><xsd:unique name="web-app-message-destination-ref-uniqueness"><xsd:annotation><xsd:documentation>The message-destination-ref-name element specifies the name ofa message destination reference; its value is theenvironment entry name used in the web application code.The name is a JNDI name relative to the java:comp/envcontext and must be unique within a web application.</xsd:documentation></xsd:annotation><xsd:selector xpath="javaee:message-destination-ref"/><xsd:field    xpath="javaee:message-destination-ref-name"/></xsd:unique><xsd:unique name="web-app-res-ref-name-uniqueness"><xsd:annotation><xsd:documentation>The res-ref-name element specifies the name of aresource manager connection factory reference.  The nameis a JNDI name relative to the java:comp/env context.The name must be unique within a web application.</xsd:documentation></xsd:annotation><xsd:selector xpath="javaee:resource-ref"/><xsd:field    xpath="javaee:res-ref-name"/></xsd:unique><xsd:unique name="web-app-env-entry-name-uniqueness"><xsd:annotation><xsd:documentation>The env-entry-name element contains the name of a webapplication's environment entry.  The name is a JNDIname relative to the java:comp/env context.  The namemust be unique within a web application.</xsd:documentation></xsd:annotation><xsd:selector xpath="javaee:env-entry"/><xsd:field    xpath="javaee:env-entry-name"/></xsd:unique><xsd:key name="web-app-role-name-key"><xsd:annotation><xsd:documentation>A role-name-key is specified to allow the referencesfrom the security-role-refs.</xsd:documentation></xsd:annotation><xsd:selector xpath="javaee:security-role"/><xsd:field    xpath="javaee:role-name"/></xsd:key><xsd:keyref name="web-app-role-name-references"refer="javaee:web-app-role-name-key"><xsd:annotation><xsd:documentation>The keyref indicates the references fromsecurity-role-ref to a specified role-name.</xsd:documentation></xsd:annotation><xsd:selector xpath="javaee:servlet/javaee:security-role-ref"/><xsd:field    xpath="javaee:role-link"/></xsd:keyref></xsd:element><!-- **************************************************** --><xsd:complexType name="auth-constraintType"><xsd:annotation><xsd:documentation>The auth-constraintType indicates the user roles thatshould be permitted access to this resourcecollection. The role-name used here must either correspondto the role-name of one of the security-role elementsdefined for this web application, or be the speciallyreserved role-name "*" that is a compact syntax forindicating all roles in the web application. If both "*"and rolenames appear, the container interprets this as allroles.  If no roles are defined, no user is allowed accessto the portion of the web application described by thecontaining security-constraint.  The container matchesrole names case sensitively when determining access.</xsd:documentation></xsd:annotation><xsd:sequence><xsd:element name="description"type="javaee:descriptionType"minOccurs="0" maxOccurs="unbounded"/><xsd:element name="role-name"type="javaee:role-nameType"minOccurs="0" maxOccurs="unbounded"/></xsd:sequence><xsd:attribute name="id" type="xsd:ID"/></xsd:complexType><!-- **************************************************** --><xsd:complexType name="auth-methodType"><xsd:annotation><xsd:documentation>The auth-methodType is used to configure the authenticationmechanism for the web application. As a prerequisite togaining access to any web resources which are protected byan authorization constraint, a user must have authenticatedusing the configured mechanism. Legal values are "BASIC","DIGEST", "FORM", "CLIENT-CERT", or a vendor-specificauthentication scheme.Used in: login-config</xsd:documentation></xsd:annotation><xsd:simpleContent><xsd:restriction base="javaee:string"/></xsd:simpleContent></xsd:complexType><!-- **************************************************** --><xsd:complexType name="dispatcherType"><xsd:annotation><xsd:documentation>The dispatcher has four legal values: FORWARD, REQUEST, INCLUDE,and ERROR. A value of FORWARD means the Filter will be appliedunder RequestDispatcher.forward() calls.  A value of REQUESTmeans the Filter will be applied under ordinary client calls tothe path or servlet. A value of INCLUDE means the Filter will beapplied under RequestDispatcher.include() calls.  A value ofERROR means the Filter will be applied under the error pagemechanism.  The absence of any dispatcher elements in afilter-mapping indicates a default of applying filters only underordinary client calls to the path or servlet.</xsd:documentation></xsd:annotation><xsd:simpleContent><xsd:restriction base="javaee:string"><xsd:enumeration value="FORWARD"/><xsd:enumeration value="INCLUDE"/><xsd:enumeration value="REQUEST"/><xsd:enumeration value="ERROR"/></xsd:restriction></xsd:simpleContent></xsd:complexType><!-- **************************************************** --><xsd:simpleType name="encodingType"><xsd:annotation><xsd:documentation>The encodingType defines IANA character sets.</xsd:documentation></xsd:annotation><xsd:restriction base="xsd:string"><xsd:pattern value="[^\s]+"/></xsd:restriction></xsd:simpleType><!-- **************************************************** --><xsd:complexType name="error-codeType"><xsd:annotation><xsd:documentation>The error-code contains an HTTP error code, ex: 404Used in: error-page</xsd:documentation></xsd:annotation><xsd:simpleContent><xsd:restriction base="javaee:xsdPositiveIntegerType"><xsd:pattern value="\d{3}"/><xsd:attribute name="id" type="xsd:ID"/></xsd:restriction></xsd:simpleContent></xsd:complexType><!-- **************************************************** --><xsd:complexType name="error-pageType"><xsd:annotation><xsd:documentation>The error-pageType contains a mapping between an error codeor exception type to the path of a resource in the webapplication.Used in: web-app</xsd:documentation></xsd:annotation><xsd:sequence><xsd:choice><xsd:element name="error-code"type="javaee:error-codeType"/><xsd:element name="exception-type"type="javaee:fully-qualified-classType"><xsd:annotation><xsd:documentation>The exception-type contains a fully qualified classname of a Java exception type.</xsd:documentation></xsd:annotation></xsd:element></xsd:choice><xsd:element name="location"type="javaee:war-pathType"><xsd:annotation><xsd:documentation>The location element contains the location of theresource in the web application relative to the root ofthe web application. The value of the location must havea leading `/'.</xsd:documentation></xsd:annotation></xsd:element></xsd:sequence><xsd:attribute name="id" type="xsd:ID"/></xsd:complexType><!-- **************************************************** --><xsd:complexType name="filter-mappingType"><xsd:annotation><xsd:documentation>Declaration of the filter mappings in this webapplication is done by using filter-mappingType.The container uses the filter-mappingdeclarations to decide which filters to apply to a request,and in what order. The container matches the request URI toa Servlet in the normal way. To determine which filters toapply it matches filter-mapping declarations either onservlet-name, or on url-pattern for each filter-mappingelement, depending on which style is used. The order inwhich filters are invoked is the order in whichfilter-mapping declarations that match a request URI for aservlet appear in the list of filter-mapping elements.Thefilter-name value must be the value of the filter-namesub-elements of one of the filter declarations in thedeployment descriptor.</xsd:documentation></xsd:annotation><xsd:sequence><xsd:element name="filter-name"type="javaee:filter-nameType"/><xsd:choice minOccurs="1" maxOccurs="unbounded"><xsd:element name="url-pattern"type="javaee:url-patternType"/><xsd:element name="servlet-name"type="javaee:servlet-nameType"/></xsd:choice><xsd:element name="dispatcher"type="javaee:dispatcherType"minOccurs="0" maxOccurs="4"/></xsd:sequence><xsd:attribute name="id" type="xsd:ID"/></xsd:complexType><!-- **************************************************** --><xsd:complexType name="filter-nameType"><xsd:annotation><xsd:documentation>The logical name of the filter is declareby using filter-nameType. This name is used to map thefilter.  Each filter name is unique within the webapplication.Used in: filter, filter-mapping</xsd:documentation></xsd:annotation><xsd:simpleContent><xsd:extension base="javaee:nonEmptyStringType"/></xsd:simpleContent></xsd:complexType><!-- **************************************************** --><xsd:complexType name="filterType"><xsd:annotation><xsd:documentation>The filterType is used to declare a filter in the webapplication. The filter is mapped to either a servlet or aURL pattern in the filter-mapping element, using thefilter-name value to reference. Filters can access theinitialization parameters declared in the deploymentdescriptor at runtime via the FilterConfig interface.Used in: web-app</xsd:documentation></xsd:annotation><xsd:sequence><xsd:group ref="javaee:descriptionGroup"/><xsd:element name="filter-name"type="javaee:filter-nameType"/><xsd:element name="filter-class"type="javaee:fully-qualified-classType"><xsd:annotation><xsd:documentation>The fully qualified classname of the filter.</xsd:documentation></xsd:annotation></xsd:element><xsd:element name="init-param"type="javaee:param-valueType"minOccurs="0" maxOccurs="unbounded"><xsd:annotation><xsd:documentation>The init-param element contains a name/value pair asan initialization param of a servlet filter</xsd:documentation></xsd:annotation></xsd:element></xsd:sequence><xsd:attribute name="id" type="xsd:ID"/></xsd:complexType><!-- **************************************************** --><xsd:complexType name="form-login-configType"><xsd:annotation><xsd:documentation>The form-login-configType specifies the login and errorpages that should be used in form based login. If form basedauthentication is not used, these elements are ignored.Used in: login-config</xsd:documentation></xsd:annotation><xsd:sequence><xsd:element name="form-login-page"type="javaee:war-pathType"><xsd:annotation><xsd:documentation>The form-login-page element defines the location in the webapp where the page that can be used for login can befound.  The path begins with a leading / and is interpretedrelative to the root of the WAR.</xsd:documentation></xsd:annotation></xsd:element><xsd:element name="form-error-page"type="javaee:war-pathType"><xsd:annotation><xsd:documentation>The form-error-page element defines the location inthe web app where the error page that is displayedwhen login is not successful can be found.The path begins with a leading / and is interpretedrelative to the root of the WAR.</xsd:documentation></xsd:annotation></xsd:element></xsd:sequence><xsd:attribute name="id" type="xsd:ID"/></xsd:complexType><!-- **************************************************** --><xsd:simpleType name="http-methodType"><xsd:annotation><xsd:documentation>A HTTP method type as defined in HTTP 1.1 section 2.2.</xsd:documentation></xsd:annotation><xsd:restriction base="xsd:token"><xsd:pattern value="[&#33;-&#126;-[\(\)&#60;&#62;@,;:&#34;/\[\]?=\{\}\\\p{Z}]]+"/></xsd:restriction></xsd:simpleType><!-- **************************************************** --><xsd:simpleType name="load-on-startupType"><xsd:union memberTypes="javaee:null-charType xsd:integer"/></xsd:simpleType><!-- **************************************************** --><xsd:complexType name="locale-encoding-mapping-listType"><xsd:annotation><xsd:documentation>The locale-encoding-mapping-list contains one or morelocale-encoding-mapping(s).</xsd:documentation></xsd:annotation><xsd:sequence><xsd:element name="locale-encoding-mapping"type="javaee:locale-encoding-mappingType"maxOccurs="unbounded"/></xsd:sequence><xsd:attribute name="id" type="xsd:ID"/></xsd:complexType><!-- **************************************************** --><xsd:complexType name="locale-encoding-mappingType"><xsd:annotation><xsd:documentation>The locale-encoding-mapping contains locale name andencoding name. The locale name must be either "Language-code",such as "ja", defined by ISO-639 or "Language-code_Country-code",such as "ja_JP".  "Country code" is defined by ISO-3166.</xsd:documentation></xsd:annotation><xsd:sequence><xsd:element name="locale"type="javaee:localeType"/><xsd:element name="encoding"type="javaee:encodingType"/></xsd:sequence><xsd:attribute name="id" type="xsd:ID"/></xsd:complexType><!-- **************************************************** --><xsd:simpleType name="localeType"><xsd:annotation><xsd:documentation>The localeType defines valid locale defined by ISO-639-1and ISO-3166.</xsd:documentation></xsd:annotation><xsd:restriction base="xsd:string"><xsd:pattern value="[a-z]{2}(_|-)?([\p{L}\-\p{Nd}]{2})?"/></xsd:restriction></xsd:simpleType><!-- **************************************************** --><xsd:complexType name="login-configType"><xsd:annotation><xsd:documentation>The login-configType is used to configure the authenticationmethod that should be used, the realm name that should beused for this application, and the attributes that areneeded by the form login mechanism.Used in: web-app</xsd:documentation></xsd:annotation><xsd:sequence><xsd:element name="auth-method"type="javaee:auth-methodType"minOccurs="0"/><xsd:element name="realm-name"type="javaee:string" minOccurs="0"><xsd:annotation><xsd:documentation>The realm name element specifies the realm name touse in HTTP Basic authorization.</xsd:documentation></xsd:annotation></xsd:element><xsd:element name="form-login-config"type="javaee:form-login-configType"minOccurs="0"/></xsd:sequence><xsd:attribute name="id" type="xsd:ID"/></xsd:complexType><!-- **************************************************** --><xsd:complexType name="mime-mappingType"><xsd:annotation><xsd:documentation>The mime-mappingType defines a mapping between an extensionand a mime type.Used in: web-app</xsd:documentation></xsd:annotation><xsd:sequence><xsd:annotation><xsd:documentation>The extension element contains a string describing anextension. example: "txt"</xsd:documentation></xsd:annotation><xsd:element name="extension"type="javaee:string"/><xsd:element name="mime-type"type="javaee:mime-typeType"/></xsd:sequence><xsd:attribute name="id" type="xsd:ID"/></xsd:complexType><!-- **************************************************** --><xsd:complexType name="mime-typeType"><xsd:annotation><xsd:documentation>The mime-typeType is used to indicate a defined mime type.Example:"text/plain"Used in: mime-mapping</xsd:documentation></xsd:annotation><xsd:simpleContent><xsd:restriction base="javaee:string"><xsd:pattern value="[^\p{Cc}^\s]+/[^\p{Cc}^\s]+"/></xsd:restriction></xsd:simpleContent></xsd:complexType><!-- **************************************************** --><xsd:complexType name="nonEmptyStringType"><xsd:annotation><xsd:documentation>This type defines a string which contains at least onecharacter.</xsd:documentation></xsd:annotation><xsd:simpleContent><xsd:restriction base="javaee:string"><xsd:minLength value="1"/></xsd:restriction></xsd:simpleContent></xsd:complexType><!-- **************************************************** --><xsd:simpleType name="null-charType"><xsd:restriction base="xsd:string"><xsd:enumeration value=""/></xsd:restriction></xsd:simpleType><!-- **************************************************** --><xsd:complexType name="security-constraintType"><xsd:annotation><xsd:documentation>The security-constraintType is used to associatesecurity constraints with one or more web resourcecollectionsUsed in: web-app</xsd:documentation></xsd:annotation><xsd:sequence><xsd:element name="display-name"type="javaee:display-nameType"minOccurs="0"maxOccurs="unbounded"/><xsd:element name="web-resource-collection"type="javaee:web-resource-collectionType"maxOccurs="unbounded"/><xsd:element name="auth-constraint"type="javaee:auth-constraintType"minOccurs="0"/><xsd:element name="user-data-constraint"type="javaee:user-data-constraintType"minOccurs="0"/></xsd:sequence><xsd:attribute name="id" type="xsd:ID"/></xsd:complexType><!-- **************************************************** --><xsd:complexType name="servlet-mappingType"><xsd:annotation><xsd:documentation>The servlet-mappingType defines a mapping between aservlet and a url pattern.Used in: web-app</xsd:documentation></xsd:annotation><xsd:sequence><xsd:element name="servlet-name"type="javaee:servlet-nameType"/><xsd:element name="url-pattern"type="javaee:url-patternType"minOccurs="1" maxOccurs="unbounded"/></xsd:sequence><xsd:attribute name="id" type="xsd:ID"/></xsd:complexType><!-- **************************************************** --><xsd:complexType name="servlet-nameType"><xsd:annotation><xsd:documentation>The servlet-name element contains the canonical name of theservlet. Each servlet name is unique within the webapplication.</xsd:documentation></xsd:annotation><xsd:simpleContent><xsd:extension base="javaee:nonEmptyStringType"/></xsd:simpleContent></xsd:complexType><!-- **************************************************** --><xsd:complexType name="servletType"><xsd:annotation><xsd:documentation>The servletType is used to declare a servlet.It contains the declarative data of aservlet. If a jsp-file is specified and the load-on-startupelement is present, then the JSP should be precompiled andloaded.Used in: web-app</xsd:documentation></xsd:annotation><xsd:sequence><xsd:group ref="javaee:descriptionGroup"/><xsd:element name="servlet-name"type="javaee:servlet-nameType"/><xsd:choice><xsd:element name="servlet-class"type="javaee:fully-qualified-classType"><xsd:annotation><xsd:documentation>The servlet-class element contains the fullyqualified class name of the servlet.</xsd:documentation></xsd:annotation></xsd:element><xsd:element name="jsp-file"type="javaee:jsp-fileType"/></xsd:choice><xsd:element name="init-param"type="javaee:param-valueType"minOccurs="0" maxOccurs="unbounded"/><xsd:element name="load-on-startup"type="javaee:load-on-startupType"minOccurs="0"><xsd:annotation><xsd:documentation>The load-on-startup element indicates that thisservlet should be loaded (instantiated and haveits init() called) on the startup of the webapplication. The optional contents of theseelement must be an integer indicating the order inwhich the servlet should be loaded. If the valueis a negative integer, or the element is notpresent, the container is free to load the servletwhenever it chooses. If the value is a positiveinteger or 0, the container must load andinitialize the servlet as the application isdeployed. The container must guarantee thatservlets marked with lower integers are loadedbefore servlets marked with higher integers. Thecontainer may choose the order of loading ofservlets with the same load-on-start-up value.</xsd:documentation></xsd:annotation></xsd:element><xsd:element name="run-as"type="javaee:run-asType"minOccurs="0"/><xsd:element name="security-role-ref"type="javaee:security-role-refType"minOccurs="0" maxOccurs="unbounded"/></xsd:sequence><xsd:attribute name="id" type="xsd:ID"/></xsd:complexType><!-- **************************************************** --><xsd:complexType name="session-configType"><xsd:annotation><xsd:documentation>The session-configType defines the session parametersfor this web application.Used in: web-app</xsd:documentation></xsd:annotation><xsd:sequence><xsd:element name="session-timeout"type="javaee:xsdIntegerType"minOccurs="0"><xsd:annotation><xsd:documentation>The session-timeout element defines the defaultsession timeout interval for all sessions createdin this web application. The specified timeoutmust be expressed in a whole number of minutes.If the timeout is 0 or less, the container ensuresthe default behaviour of sessions is never to timeout. If this element is not specified, the containermust set its default timeout period.</xsd:documentation></xsd:annotation></xsd:element></xsd:sequence><xsd:attribute name="id" type="xsd:ID"/></xsd:complexType><!-- **************************************************** --><xsd:complexType name="transport-guaranteeType"><xsd:annotation><xsd:documentation>The transport-guaranteeType specifies that the communicationbetween client and server should be NONE, INTEGRAL, orCONFIDENTIAL. NONE means that the application does notrequire any transport guarantees. A value of INTEGRAL meansthat the application requires that the data sent between theclient and server be sent in such a way that it can't bechanged in transit. CONFIDENTIAL means that the applicationrequires that the data be transmitted in a fashion thatprevents other entities from observing the contents of thetransmission. In most cases, the presence of the INTEGRAL orCONFIDENTIAL flag will indicate that the use of SSL isrequired.Used in: user-data-constraint</xsd:documentation></xsd:annotation><xsd:simpleContent><xsd:restriction base="javaee:string"><xsd:enumeration value="NONE"/><xsd:enumeration value="INTEGRAL"/><xsd:enumeration value="CONFIDENTIAL"/></xsd:restriction></xsd:simpleContent></xsd:complexType><!-- **************************************************** --><xsd:complexType name="user-data-constraintType"><xsd:annotation><xsd:documentation>The user-data-constraintType is used to indicate howdata communicated between the client and container should beprotected.Used in: security-constraint</xsd:documentation></xsd:annotation><xsd:sequence><xsd:element name="description"type="javaee:descriptionType"minOccurs="0"maxOccurs="unbounded"/><xsd:element name="transport-guarantee"type="javaee:transport-guaranteeType"/></xsd:sequence><xsd:attribute name="id" type="xsd:ID"/></xsd:complexType><!-- **************************************************** --><xsd:complexType name="war-pathType"><xsd:annotation><xsd:documentation>The elements that use this type designate a path startingwith a "/" and interpreted relative to the root of a WARfile.</xsd:documentation></xsd:annotation><xsd:simpleContent><xsd:restriction base="javaee:string"><xsd:pattern value="/.*"/></xsd:restriction></xsd:simpleContent></xsd:complexType><!-- **************************************************** --><xsd:simpleType name="web-app-versionType"><xsd:annotation><xsd:documentation>This type contains the recognized versions ofweb-application supported. It is used to designate theversion of the web application.</xsd:documentation></xsd:annotation><xsd:restriction base="xsd:token"><xsd:enumeration value="2.5"/></xsd:restriction></xsd:simpleType><!-- **************************************************** --><xsd:complexType name="web-appType"><xsd:choice minOccurs="0" maxOccurs="unbounded"><xsd:group ref="javaee:descriptionGroup"/><xsd:element name="distributable"type="javaee:emptyType"/><xsd:element name="context-param"type="javaee:param-valueType"><xsd:annotation><xsd:documentation>The context-param element contains the declarationof a web application's servlet contextinitialization parameters.</xsd:documentation></xsd:annotation></xsd:element><xsd:element name="filter"type="javaee:filterType"/><xsd:element name="filter-mapping"type="javaee:filter-mappingType"/><xsd:element name="listener"type="javaee:listenerType"/><xsd:element name="servlet"type="javaee:servletType"/><xsd:element name="servlet-mapping"type="javaee:servlet-mappingType"/><xsd:element name="session-config"type="javaee:session-configType"/><xsd:element name="mime-mapping"type="javaee:mime-mappingType"/><xsd:element name="welcome-file-list"type="javaee:welcome-file-listType"/><xsd:element name="error-page"type="javaee:error-pageType"/><xsd:element name="jsp-config"type="javaee:jsp-configType"/><xsd:element name="security-constraint"type="javaee:security-constraintType"/><xsd:element name="login-config"type="javaee:login-configType"/><xsd:element name="security-role"type="javaee:security-roleType"/><xsd:group ref="javaee:jndiEnvironmentRefsGroup"/><xsd:element name="message-destination"type="javaee:message-destinationType"/><xsd:element name="locale-encoding-mapping-list"type="javaee:locale-encoding-mapping-listType"/></xsd:choice><xsd:attribute name="version"type="javaee:web-app-versionType"use="required"/><xsd:attribute name="id" type="xsd:ID"/><xsd:attribute name="metadata-complete" type="xsd:boolean"><xsd:annotation><xsd:documentation>The metadata-complete attribute defines whether thisdeployment descriptor and other related deploymentdescriptors for this module (e.g., web servicedescriptors) are complete, or whether the classfiles available to this module and packaged withthis application should be examined for annotationsthat specify deployment information.If metadata-complete is set to "true", the deploymenttool must ignore any annotations that specify deploymentinformation, which might be present in the class filesof the application.If metadata-complete is not specified or is set to"false", the deployment tool must examine the classfiles of the application for annotations, asspecified by the specifications.</xsd:documentation></xsd:annotation></xsd:attribute></xsd:complexType><!-- **************************************************** --><xsd:complexType name="web-resource-collectionType"><xsd:annotation><xsd:documentation>The web-resource-collectionType is used to identify a subsetof the resources and HTTP methods on those resources withina web application to which a security constraint applies. Ifno HTTP methods are specified, then the security constraintapplies to all HTTP methods.Used in: security-constraint</xsd:documentation></xsd:annotation><xsd:sequence><xsd:element name="web-resource-name"type="javaee:string"><xsd:annotation><xsd:documentation>The web-resource-name contains the name of this webresource collection.</xsd:documentation></xsd:annotation></xsd:element><xsd:element name="description"type="javaee:descriptionType"minOccurs="0"maxOccurs="unbounded"/><xsd:element name="url-pattern"type="javaee:url-patternType"maxOccurs="unbounded"/><xsd:element name="http-method"type="javaee:http-methodType"minOccurs="0" maxOccurs="unbounded"/></xsd:sequence><xsd:attribute name="id" type="xsd:ID"/></xsd:complexType><!-- **************************************************** --><xsd:complexType name="welcome-file-listType"><xsd:annotation><xsd:documentation>The welcome-file-list contains an ordered list of welcomefiles elements.Used in: web-app</xsd:documentation></xsd:annotation><xsd:sequence><xsd:element name="welcome-file"type="xsd:string"maxOccurs="unbounded"><xsd:annotation><xsd:documentation>The welcome-file element contains file name to useas a default welcome file, such as index.html</xsd:documentation></xsd:annotation></xsd:element></xsd:sequence><xsd:attribute name="id" type="xsd:ID"/></xsd:complexType></xsd:schema>

web/index.jsp

<%--Created by IntelliJ IDEA.User: AdministratorDate: 2019/6/6Time: 13:59To change this template use File | Settings | File Templates.
--%>
<%@ page contentType="text/html;charset=UTF-8" language="java" %>
<html><head><title>新闻管理系统</title></head><body bgcolor="#dcdcdc"><hr color="bisque"><div><div style="background-color: ghostwhite"><div style="width: 50px;float: left;margin: 15px auto auto 60px"><span style="font-family: kaiti;font-size: 25px;color: darkorchid">旧波新闻</span></div>[外链图片转存失败(img-CXJ815R7-1562068507989)(https://mp.csdn.net/img/bgimg2.jpg)]<span style="color: blue;font-family: kaiti;font-size: 50px;margin-left: 140px">欢迎访问旧波新闻!</span><div style="float: right;margin-right: 100px"><ul style="list-style-type: none"><li style="display:inline-block"><a href="/News/" style="color: black">首页/</a></li><li style="display:inline-block"><a href="/News/jsp/login.jsp" style="color: black">登录/</a></li><li style="display:inline-block"><a href="/News/jsp/register.jsp" style="color: black">注册</a></li></ul></div></div><h4 ><hr color="bisque"></h4><div align="center"><table cellspacing="1" cellpadding="15"><tr><td>[外链图片转存失败(img-2nBd95HK-1562068507991)(https://mp.csdn.net/img/-1_11.gif)]<a href="" style="color: black">新闻头条</a></td><td>[外链图片转存失败(img-Li1KxHj3-1562068507992)(https://mp.csdn.net/img/-1_11.gif)]<a href="" style="color: black">电视剧</a></td><td>[外链图片转存失败(img-nmYNgRWR-1562068507993)(https://mp.csdn.net/img/-1_11.gif)]<a href="" style="color: black">免费小说</a></td><td>[外链图片转存失败(img-INN8rV4f-1562068507994)(https://mp.csdn.net/img/-1_11.gif)]<a href="" style="color: black">热播电影</a></td><td>[外链图片转存失败(img-HUga0NuQ-1562068507995)(https://mp.csdn.net/img/-1_11.gif)]<a href="" style="color: black">9块9包邮</a></td><td>[外链图片转存失败(img-jzVCuMRw-1562068507996)(https://mp.csdn.net/img/-1_11.gif)]<a href="" style="color: black">彩票大全</a></td><td>[外链图片转存失败(img-vFoFw42D-1562068507997)(https://mp.csdn.net/img/-1_11.gif)]<a href="" style="color: black">游戏</a></td><td>[外链图片转存失败(img-qAhdBXyb-1562068507999)(https://mp.csdn.net/img/-1_11.gif)]<a href="" style="color: black">网上购物</a></td><td>[外链图片转存失败(img-DByefdGU-1562068507999)(https://mp.csdn.net/img/-1_11.gif)]<a href="" style="color: black">特价旅游</a></td><td>[外链图片转存失败(img-YkTG4XoT-1562068507999)(https://mp.csdn.net/img/-1_11.gif)]<a href="" style="color: black">小游戏大全</a></td><td>[外链图片转存失败(img-M2Mc4oL5-1562068508000)(https://mp.csdn.net/img/-1_11.gif)]<a href="" style="color: black">精彩直播</a></td></tr></table></div><div style="background-color: white" align="center"><table cellpadding="40" cellspacing="1"><tr><td><a href="" style="color: black">搜狐新闻</a></td><td><a href="" style="color: black">腾讯视频</a></td><td><a href="" style="color: black">天猫618</a></td><td><a href="" style="color: black">新浪·微博</a></td><td><a href="" style="color: black">百度·贴吧</a></td><td><a href="" style="color: black">凤凰·军事</a></td></tr><tr><td><a href="" style="color: black">搜狐新闻</a></td><td><a href="" style="color: black">腾讯视频</a></td><td><a href="" style="color: black">天猫618</a></td><td><a href="" style="color: black">新浪·微博</a></td><td><a href="" style="color: black">百度·贴吧</a></td><td><a href="" style="color: black">凤凰·军事</a></td></tr><tr><td><a href="" style="color: black">搜狐新闻</a></td><td><a href="" style="color: black">腾讯视频</a></td><td><a href="" style="color: black">天猫618</a></td><td><a href="" style="color: black">新浪·微博</a></td><td><a href="" style="color: black">百度·贴吧</a></td><td><a href="" style="color: black">凤凰·军事</a></td></tr></table></div><div style="background-color: ghostwhite;width: 1330px;height: 100px;margin-top: 30px"><div align="center" style="background-color: ghostwhite;float: left;margin-left: 60px"><h4>地址</h4><ul><li>武汉市洪山区鲁巷广场春和天地</li><li>北京大学北大青鸟总部</li></ul></div><div align="center" style="background-color: ghostwhite;float: left;margin-left: 200px"><h4>赞助商</h4><ul><li>武汉宏鹏培训学校</li><li>北京大学北大青鸟总部</li></ul></div><div align="center" style="background-color: ghostwhite;float: right;margin-right: 60px"><h4>联系我</h4><ul><li>电话:1871889418</li><li>QQ:541889418</li></ul></div></div></div></body>
</html>

三、sql文件

news_comment

/*
SQLyog 企业版 - MySQL GUI v8.14 
MySQL - 5.5.25 : Database - k9503
*********************************************************************
*//*!40101 SET NAMES utf8 */;/*!40101 SET SQL_MODE=''*/;/*!40014 SET @OLD_UNIQUE_CHECKS=@@UNIQUE_CHECKS, UNIQUE_CHECKS=0 */;
/*!40014 SET @OLD_FOREIGN_KEY_CHECKS=@@FOREIGN_KEY_CHECKS, FOREIGN_KEY_CHECKS=0 */;
/*!40101 SET @OLD_SQL_MODE=@@SQL_MODE, SQL_MODE='NO_AUTO_VALUE_ON_ZERO' */;
/*!40111 SET @OLD_SQL_NOTES=@@SQL_NOTES, SQL_NOTES=0 */;
CREATE DATABASE /*!32312 IF NOT EXISTS*/`k9503` /*!40100 DEFAULT CHARACTER SET utf8 COLLATE utf8_czech_ci */;USE `k9503`;/*Table structure for table `news_comment` */DROP TABLE IF EXISTS `news_comment`;CREATE TABLE `news_comment` (`id` int(11) NOT NULL AUTO_INCREMENT,`newsid` int(11) NOT NULL,`content` varchar(255) COLLATE utf8_czech_ci NOT NULL,`author` varchar(50) COLLATE utf8_czech_ci DEFAULT NULL,`createdate` date NOT NULL,PRIMARY KEY (`id`),KEY `FK_news_comment` (`newsid`)
) ENGINE=InnoDB AUTO_INCREMENT=16 DEFAULT CHARSET=utf8 COLLATE=utf8_czech_ci;/*Data for the table `news_comment` */insert  into `news_comment`(`id`,`newsid`,`content`,`author`,`createdate`) values (2,1,'自由的渴望,超越物种,超越生命','你妈没回家','2019-08-06'),(3,6,'你打球像蔡徐坤','隔壁老王的微笑','2013-05-04'),(4,4,'造孽啊','绿油油的爱','2019-01-09'),(10,4,'厉害厉害','赵四','2019-06-10'),(11,1,'天秀','susan','2019-06-10'),(12,1,'天秀','Susan','2019-06-10'),(13,1,'得到','方法','2012-12-25'),(15,3,'似懂非懂','地方','2019-06-28');/*!40101 SET SQL_MODE=@OLD_SQL_MODE */;
/*!40014 SET FOREIGN_KEY_CHECKS=@OLD_FOREIGN_KEY_CHECKS */;
/*!40014 SET UNIQUE_CHECKS=@OLD_UNIQUE_CHECKS */;
/*!40111 SET SQL_NOTES=@OLD_SQL_NOTES */;

news_detail

/*
SQLyog 企业版 - MySQL GUI v8.14 
MySQL - 5.5.25 : Database - k9503
*********************************************************************
*//*!40101 SET NAMES utf8 */;/*!40101 SET SQL_MODE=''*/;/*!40014 SET @OLD_UNIQUE_CHECKS=@@UNIQUE_CHECKS, UNIQUE_CHECKS=0 */;
/*!40014 SET @OLD_FOREIGN_KEY_CHECKS=@@FOREIGN_KEY_CHECKS, FOREIGN_KEY_CHECKS=0 */;
/*!40101 SET @OLD_SQL_MODE=@@SQL_MODE, SQL_MODE='NO_AUTO_VALUE_ON_ZERO' */;
/*!40111 SET @OLD_SQL_NOTES=@@SQL_NOTES, SQL_NOTES=0 */;
CREATE DATABASE /*!32312 IF NOT EXISTS*/`k9503` /*!40100 DEFAULT CHARACTER SET utf8 COLLATE utf8_czech_ci */;USE `k9503`;/*Table structure for table `news_detail` */DROP TABLE IF EXISTS `news_detail`;CREATE TABLE `news_detail` (`id` int(11) NOT NULL AUTO_INCREMENT,`title` varchar(100) COLLATE utf8_czech_ci NOT NULL,`summary` varchar(255) COLLATE utf8_czech_ci DEFAULT NULL,`author` varchar(50) COLLATE utf8_czech_ci DEFAULT NULL,`createdate` date NOT NULL,PRIMARY KEY (`id`,`title`,`createdate`)
) ENGINE=InnoDB AUTO_INCREMENT=7 DEFAULT CHARSET=utf8 COLLATE=utf8_czech_ci;/*Data for the table `news_detail` */insert  into `news_detail`(`id`,`title`,`summary`,`author`,`createdate`) values (1,'向往自由,母猪跳车','谭山公路,一头母猪飞身跃下货运车','三毛','2019-06-06'),(2,'早点睡了开发积分','分公司kg','带我飞','2017-10-13'),(3,'尼罗河畔惊现水怪','今日,尼罗河畔惊现奇观','鑫乐','2050-04-09'),(4,'高考在即,出租司机无私相送','高考生小李忘带准考证,出租司机秀操作,最终错过高考','李思','1997-06-21'),(5,'的高峰梵蒂冈人','舞蹈服人人为人','地方','1113-04-12'),(6,'练习生蔡徐坤,用努力证明自己是最差的','练习两年半的练习生,每天练习25个小时,最后用自己的努力证明自己是最差的','李元培','2018-08-08');/*!40101 SET SQL_MODE=@OLD_SQL_MODE */;
/*!40014 SET FOREIGN_KEY_CHECKS=@OLD_FOREIGN_KEY_CHECKS */;
/*!40014 SET UNIQUE_CHECKS=@OLD_UNIQUE_CHECKS */;
/*!40111 SET SQL_NOTES=@OLD_SQL_NOTES */;
声明:由于此系统是个人完成的娱乐项目,所以功能不够全面,由于是很早以前的项目,现在只有代码,没有效果图,如有疑问,可在评论出留下自己的疑问,如看到,必定第一时间回复!/*Data for the table `news_comment` */insert  into `news_comment`(`id`,`newsid`,`content`,`author`,`createdate`) values (2,1,'自由的渴望,超越物种,超越生命','你妈没回家','2019-08-06'),(3,6,'你打球像蔡徐坤','隔壁老王的微笑','2013-05-04'),(4,4,'造孽啊','绿油油的爱','2019-01-09'),(10,4,'厉害厉害','赵四','2019-06-10'),(11,1,'天秀','susan','2019-06-10'),(12,1,'天秀','Susan','2019-06-10'),(13,1,'得到','方法','2012-12-25'),(15,3,'似懂非懂','地方','2019-06-28');/*!40101 SET SQL_MODE=@OLD_SQL_MODE */;
/*!40014 SET FOREIGN_KEY_CHECKS=@OLD_FOREIGN_KEY_CHECKS */;
/*!40014 SET UNIQUE_CHECKS=@OLD_UNIQUE_CHECKS */;
/*!40111 SET SQL_NOTES=@OLD_SQL_NOTES */;

news_detail

/*
SQLyog 企业版 - MySQL GUI v8.14 
MySQL - 5.5.25 : Database - k9503
*********************************************************************
*//*!40101 SET NAMES utf8 */;/*!40101 SET SQL_MODE=''*/;/*!40014 SET @OLD_UNIQUE_CHECKS=@@UNIQUE_CHECKS, UNIQUE_CHECKS=0 */;
/*!40014 SET @OLD_FOREIGN_KEY_CHECKS=@@FOREIGN_KEY_CHECKS, FOREIGN_KEY_CHECKS=0 */;
/*!40101 SET @OLD_SQL_MODE=@@SQL_MODE, SQL_MODE='NO_AUTO_VALUE_ON_ZERO' */;
/*!40111 SET @OLD_SQL_NOTES=@@SQL_NOTES, SQL_NOTES=0 */;
CREATE DATABASE /*!32312 IF NOT EXISTS*/`k9503` /*!40100 DEFAULT CHARACTER SET utf8 COLLATE utf8_czech_ci */;USE `k9503`;/*Table structure for table `news_detail` */DROP TABLE IF EXISTS `news_detail`;CREATE TABLE `news_detail` (`id` int(11) NOT NULL AUTO_INCREMENT,`title` varchar(100) COLLATE utf8_czech_ci NOT NULL,`summary` varchar(255) COLLATE utf8_czech_ci DEFAULT NULL,`author` varchar(50) COLLATE utf8_czech_ci DEFAULT NULL,`createdate` date NOT NULL,PRIMARY KEY (`id`,`title`,`createdate`)
) ENGINE=InnoDB AUTO_INCREMENT=7 DEFAULT CHARSET=utf8 COLLATE=utf8_czech_ci;/*Data for the table `news_detail` */insert  into `news_detail`(`id`,`title`,`summary`,`author`,`createdate`) values (1,'向往自由,母猪跳车','谭山公路,一头母猪飞身跃下货运车','三毛','2019-06-06'),(2,'早点睡了开发积分','分公司kg','带我飞','2017-10-13'),(3,'尼罗河畔惊现水怪','今日,尼罗河畔惊现奇观','鑫乐','2050-04-09'),(4,'高考在即,出租司机无私相送','高考生小李忘带准考证,出租司机秀操作,最终错过高考','李思','1997-06-21'),(5,'的高峰梵蒂冈人','舞蹈服人人为人','地方','1113-04-12'),(6,'练习生蔡徐坤,用努力证明自己是最差的','练习两年半的练习生,每天练习25个小时,最后用自己的努力证明自己是最差的','李元培','2018-08-08');/*!40101 SET SQL_MODE=@OLD_SQL_MODE */;
/*!40014 SET FOREIGN_KEY_CHECKS=@OLD_FOREIGN_KEY_CHECKS */;
/*!40014 SET UNIQUE_CHECKS=@OLD_UNIQUE_CHECKS */;
/*!40111 SET SQL_NOTES=@OLD_SQL_NOTES */;
查看全文
如若内容造成侵权/违法违规/事实不符,请联系编程学习网邮箱:809451989@qq.com进行投诉反馈,一经查实,立即删除!

相关文章

  1. PostgreSQL数据库备份及备份中遇到的问题

    PostgreSQL数据库备份方法: 创建一个*.bat文件,将 @echo on for /f "tokens=1-4 delims=- " %%i in ("%date%") do ( set year=%%i set month=%%j set day=%%k set dow=%%l ) set datestr=%year%_%month%_%day% echo datestr is %datestr% set BACKUP_FI…...

    2024/5/7 0:08:27
  2. Java实现RSA加密解密、数字签名及验签

    RSA公钥加密算法是1977年由罗纳德-李维斯特(Ron Rivest)、阿迪-萨莫尔(Adi Shamir)和伦纳德-阿德曼(Leonard Adleman)一起提出的。当时他们三人都在麻省理工学院工作。RSA就是他们三人姓氏开头字母拼在一起组成的。 RSA是目前最有影响力的公钥加密算法,它能够抵…...

    2024/4/16 23:30:48
  3. Sharepoint的知识管理的作用和重要性

    Sharepoint的知识管理的作用和重要性 21世纪是知识经济时代,企业管理也正在由对实物的管理转向对知识的管理,单纯的金融资本或物质资源来作为企业生存发展资本的时代已经一去不复返,知识管理作为企业崭新的管理模式,如何卓有成效地进行知识管理、如何灵活运用金流、物流、人…...

    2024/3/31 22:16:33
  4. 小型新闻管理系统Java

    开发一套小型新闻管理系统,要求如下 1)可以存储各类新闻标题(ID,名称,创建者) 2)可以获取新闻标题总数 3)可以逐条打印每条每条新闻的名称 import java.util.LinkedList; class Qw{int on;String name;String create;Qw(int age,String name,String create){this.on=on…...

    2024/5/6 22:38:36
  5. db2数据库备份与恢复命令

    备份DB2数据库的方法如下:在db2inst1用户下操作.在你要保存数据的当前目录执行以下命令:$ db2stop force (停止数据库)$ db2start (启动数据库)*可不停止数据库,直接执行以下命令:$ db2 connect to 数据库名 user 用户名 using 密码 (连接数据库)$ db2 backup db 数据…...

    2024/3/31 14:17:36
  6. OPenJWeb快速开发平台中的简易审批流的实现

    OpenJweb功能开发实例 (简易审批流功能实现) 王保政Msn:baozhengw999@hotmail.comQQ:29803446Email:baozhengw@netease.com 目 录一、 业务需求描述.... 3二、 关于审批流.... 32.1 审批流配置... 32.2 关于简易审批工作流的几个特点... 4三、 O…...

    2024/4/20 17:16:55
  7. 用C++编写的在Vs 2010上开发的项目:银行管理系统(一)

    这几天一直在构思银行管理系统的项目,这个项目是基于C++开发的,其主要功能有以下几点:登录界面:职员登录,退出 主菜单中包括:1、客户开户 2、存款 3、取款 4、转账 5、查看账单明细及转账记录 6、修改密码 7、销户 8、退出等。 由于这是在Windows下开发的项目,其中涉…...

    2024/5/4 3:01:16
  8. (单片机原理与应用)大液晶屏的游戏设计(推箱子)

    中文摘要 设计一款在以51单片机为核心的硬件系统中运行的推箱子游戏。游戏一共9关,功能包括:1、显示游戏开机界面和游戏界面;2、按键处理包括移动小人和移动箱子,通过移动上下左右键来控制小人的移动,通过小人推动箱子,把箱子推到指定的目的地为过关,箱子只能推不能拉;…...

    2024/5/1 15:16:28
  9. PHP+MySQL实现新闻管理系统

    PHP+MySQL实现增删改查 这里用PHP和MySQL实现了一个新闻管理系统的增删改查的功能。 一、数据库 首先创建数据库二、创建项目 1、我是在eclipse里面创建的PHP Project项目,项目目录如下:这里需要在eclipse里面下载php插件才能创建PHP Project项目,下载插件就是的流程是:运行…...

    2024/5/6 23:08:54
  10. 学生信息管理系统--毕业论文

    摘 要计算机飞速发展的今天,计算机的应用已在社会的各个领域深入开来,无论是在商业,工业还是政府部门都早已普及,如今就连教育行业也把计算机应用到各个方面的工作中,本次毕业设计就是把计算机应用到学校学生信息管理中的范例。本设计采用Microsoft SQL Server 2005作为…...

    2024/4/19 16:40:17
  11. 手很节克战分百队装效布作度QzYiMH

    道这嘴脸我怎么,看得那!么眼熟呢,我笑道那!当,然!在,中国区的?NPC,都是中国游戏策划设计的!当,然要那!什么了,嘿嘿!心照不宣了,秦韵抿嘴一笑呵呵 巨斧迎面而,至!我甚至能,看到!巨斧后,面那!狂战士得意的,笑容?嘿嘿,我也!笑了,烈焰枪猛然光芒暴涨!一团金色光晕在,枪尖之上跳跃…...

    2024/4/16 23:30:06
  12. EASYNEWS新闻管理系统 v1.01 正式版

    实例一:“一句话木马”入侵“EASYNEWS新闻管理系统” “EASYNEWS新闻管理系统 v1.01 正式版”是在企业网站中非常常见的一套整站模版,在该网站系统的留言本组件中就存在着数据过滤不严漏洞,如果网站是默认路径和默认文件名安装的话,入侵者可以利用该漏洞直接上传ASP木马程序…...

    2024/4/16 23:30:42
  13. 新闻管理系统(一)管理员登陆实现

    今天比较空闲,整理一下这星期学的东西,主要是利用Dao模式对数据库进行增删改查的一个新闻管理系统,分为前台和后台,目前是先写了后台的页面,主要运用了JSP里面的几大内置对象,相信,对初学者应该有一定的借鉴作用,好了,下面来开始说明该系统第一部分的实现和效果吧, …...

    2024/4/16 23:31:12
  14. 研发质量管理工作经验总结(一)----质量管理知识

    研发质量管理工作经验总结(一)----质量管理知识目录 第一章 质量管理知识•质量管理体系•技能知识•业务知识第二章 质量管理技能•过程改进•质量策划•过程跟踪和控制•度量及数据分析•问题风险识别与管控•成本控制与效率提升 第三章 心得体会本人毕业后干了两年的开…...

    2024/4/16 23:31:12
  15. C#游戏编程:《控制台小游戏系列》之《六、贪吃蛇实例》

    一、游戏分析 1976年,Gremlin平台推出一款经典街机游戏Blockade,则为贪吃蛇的原型,这款简单的小游戏很受欢迎,给80后这代人带来不可磨灭的记忆。作为未来程序员的我们,玩自己设计出的贪吃蛇比玩现有的更加有趣,我们可以添加我们所想到的各种特征,即使游戏多么另类都不觉…...

    2024/5/6 19:15:24
  16. java 实现 RSA 公钥私钥分别 加密解密 加签延签 生成 公钥私钥 实例

    目录介绍秘文写入本地文件 和读出使用解密公钥加密,私钥解密示例日志公钥私钥分别 加密解密 加签延签 测试类加密类验证添加签名类base64类结果生成公钥私钥日志介绍一共四个类秘文写入本地文件 和读出使用解密package com.superman.service;import java.io.BufferedReader; i…...

    2024/4/10 8:38:26
  17. JAVA小项目--银行管理系统(GUI+数据库mysql)

    主要是图形界面的编写和数据库工具类DBUtil的编写。代码需要可以私我,我会上传到资源里。1.思路2.菜单3.登录4.查询5.存钱6.改密7.取钱8.挂失9.开户10.转账...

    2024/4/18 19:58:01
  18. PHP新闻管理系统(包括前台后台)

    一、 题目基于PHP的新闻发布系统二、 需求分析1、 软件功能新闻发布系统(News Release System or Content Management System)又叫做内容管理系统CMS(Content Management System),是一个基于网络的新闻发布和管理的管理系统,它是基于B/S模式的系统,本系统可以几乎完成新闻发…...

    2024/4/16 23:31:56
  19. SQL Server如何备份数据库?完整数据库备份方式

    完整数据库的备份与恢复 完整数据库的备份:在对象资源管理器栏中选中所需要备份的数据库后右击—>任务—>备份进入到设置界面后备份类型选择完整,添加按钮可选择备份文件的存储位置,在这里我按照MSSQL默认的目录,点击确定即:C:\Program Files\Microsoft SQL Server\…...

    2024/4/16 23:32:02
  20. 上传图片 jspsmart,src写入数据库中

    上传图片 <html> <head> <title></title> </head> <body> <form METHOD="POST" ACTION="advertiser/banner_save.jsp" NAME="form1" ENCTYPE="multipart/form-data" onSubm…...

    2024/4/16 23:31:44

最新文章

  1. CSS Web服务器、2D、动画和3D转换

    Web服务器 我们自己写的网站只能自己访问浏览&#xff0c;但是如果想让其他人也浏览&#xff0c;可以将它放到服务器上。 什么是Web服务器 服务器(我们也会称之为主机)是提供计算服务的设备&#xff0c;它也是一台计算机。在网络环境下&#xff0c;根据服务器提供的服务类型不…...

    2024/5/7 2:05:27
  2. 梯度消失和梯度爆炸的一些处理方法

    在这里是记录一下梯度消失或梯度爆炸的一些处理技巧。全当学习总结了如有错误还请留言&#xff0c;在此感激不尽。 权重和梯度的更新公式如下&#xff1a; w w − η ⋅ ∇ w w w - \eta \cdot \nabla w ww−η⋅∇w 个人通俗的理解梯度消失就是网络模型在反向求导的时候出…...

    2024/5/6 9:38:23
  3. 【Easy云盘 | 第十三篇】分享模块(获取目录信息、获取文件信息、创建下载链接)

    文章目录 4.4.7获取目录信息4.4.8获取文件信息4.4.9创建下载链接 4.4.7获取目录信息 明天做 4.4.8获取文件信息 明天做 4.4.9创建下载链接 明天做...

    2024/5/5 8:46:28
  4. Java-代理模式

    1、什么是代理模式 代理&#xff1a;自己不做&#xff0c;找别人帮你做 代理模式&#xff1a;在一个原有功能的基础上添加新的功能 分类&#xff1a;静态代理和动态代理 2、静态代理 原有方式&#xff1a;就是将核心业务和服务方法都编写在一起 package com.AE.service;p…...

    2024/5/1 16:02:10
  5. 【外汇早评】美通胀数据走低,美元调整

    原标题:【外汇早评】美通胀数据走低,美元调整昨日美国方面公布了新一期的核心PCE物价指数数据,同比增长1.6%,低于前值和预期值的1.7%,距离美联储的通胀目标2%继续走低,通胀压力较低,且此前美国一季度GDP初值中的消费部分下滑明显,因此市场对美联储后续更可能降息的政策…...

    2024/5/4 23:54:56
  6. 【原油贵金属周评】原油多头拥挤,价格调整

    原标题:【原油贵金属周评】原油多头拥挤,价格调整本周国际劳动节,我们喜迎四天假期,但是整个金融市场确实流动性充沛,大事频发,各个商品波动剧烈。美国方面,在本周四凌晨公布5月份的利率决议和新闻发布会,维持联邦基金利率在2.25%-2.50%不变,符合市场预期。同时美联储…...

    2024/5/4 23:54:56
  7. 【外汇周评】靓丽非农不及疲软通胀影响

    原标题:【外汇周评】靓丽非农不及疲软通胀影响在刚结束的周五,美国方面公布了新一期的非农就业数据,大幅好于前值和预期,新增就业重新回到20万以上。具体数据: 美国4月非农就业人口变动 26.3万人,预期 19万人,前值 19.6万人。 美国4月失业率 3.6%,预期 3.8%,前值 3…...

    2024/5/4 23:54:56
  8. 【原油贵金属早评】库存继续增加,油价收跌

    原标题:【原油贵金属早评】库存继续增加,油价收跌周三清晨公布美国当周API原油库存数据,上周原油库存增加281万桶至4.692亿桶,增幅超过预期的74.4万桶。且有消息人士称,沙特阿美据悉将于6月向亚洲炼油厂额外出售更多原油,印度炼油商预计将每日获得至多20万桶的额外原油供…...

    2024/5/6 9:21:00
  9. 【外汇早评】日本央行会议纪要不改日元强势

    原标题:【外汇早评】日本央行会议纪要不改日元强势近两日日元大幅走强与近期市场风险情绪上升,避险资金回流日元有关,也与前一段时间的美日贸易谈判给日本缓冲期,日本方面对汇率问题也避免继续贬值有关。虽然今日早间日本央行公布的利率会议纪要仍然是支持宽松政策,但这符…...

    2024/5/4 23:54:56
  10. 【原油贵金属早评】欧佩克稳定市场,填补伊朗问题的影响

    原标题:【原油贵金属早评】欧佩克稳定市场,填补伊朗问题的影响近日伊朗局势升温,导致市场担忧影响原油供给,油价试图反弹。此时OPEC表态稳定市场。据消息人士透露,沙特6月石油出口料将低于700万桶/日,沙特已经收到石油消费国提出的6月份扩大出口的“适度要求”,沙特将满…...

    2024/5/4 23:55:05
  11. 【外汇早评】美欲与伊朗重谈协议

    原标题:【外汇早评】美欲与伊朗重谈协议美国对伊朗的制裁遭到伊朗的抗议,昨日伊朗方面提出将部分退出伊核协议。而此行为又遭到欧洲方面对伊朗的谴责和警告,伊朗外长昨日回应称,欧洲国家履行它们的义务,伊核协议就能保证存续。据传闻伊朗的导弹已经对准了以色列和美国的航…...

    2024/5/4 23:54:56
  12. 【原油贵金属早评】波动率飙升,市场情绪动荡

    原标题:【原油贵金属早评】波动率飙升,市场情绪动荡因中美贸易谈判不安情绪影响,金融市场各资产品种出现明显的波动。随着美国与中方开启第十一轮谈判之际,美国按照既定计划向中国2000亿商品征收25%的关税,市场情绪有所平复,已经开始接受这一事实。虽然波动率-恐慌指数VI…...

    2024/5/4 23:55:16
  13. 【原油贵金属周评】伊朗局势升温,黄金多头跃跃欲试

    原标题:【原油贵金属周评】伊朗局势升温,黄金多头跃跃欲试美国和伊朗的局势继续升温,市场风险情绪上升,避险黄金有向上突破阻力的迹象。原油方面稍显平稳,近期美国和OPEC加大供给及市场需求回落的影响,伊朗局势并未推升油价走强。近期中美贸易谈判摩擦再度升级,美国对中…...

    2024/5/4 23:54:56
  14. 【原油贵金属早评】市场情绪继续恶化,黄金上破

    原标题:【原油贵金属早评】市场情绪继续恶化,黄金上破周初中国针对于美国加征关税的进行的反制措施引发市场情绪的大幅波动,人民币汇率出现大幅的贬值动能,金融市场受到非常明显的冲击。尤其是波动率起来之后,对于股市的表现尤其不安。隔夜美国股市出现明显的下行走势,这…...

    2024/5/6 1:40:42
  15. 【外汇早评】美伊僵持,风险情绪继续升温

    原标题:【外汇早评】美伊僵持,风险情绪继续升温昨日沙特两艘油轮再次发生爆炸事件,导致波斯湾局势进一步恶化,市场担忧美伊可能会出现摩擦生火,避险品种获得支撑,黄金和日元大幅走强。美指受中美贸易问题影响而在低位震荡。继5月12日,四艘商船在阿联酋领海附近的阿曼湾、…...

    2024/5/4 23:54:56
  16. 【原油贵金属早评】贸易冲突导致需求低迷,油价弱势

    原标题:【原油贵金属早评】贸易冲突导致需求低迷,油价弱势近日虽然伊朗局势升温,中东地区几起油船被袭击事件影响,但油价并未走高,而是出于调整结构中。由于市场预期局势失控的可能性较低,而中美贸易问题导致的全球经济衰退风险更大,需求会持续低迷,因此油价调整压力较…...

    2024/5/4 23:55:17
  17. 氧生福地 玩美北湖(上)——为时光守候两千年

    原标题:氧生福地 玩美北湖(上)——为时光守候两千年一次说走就走的旅行,只有一张高铁票的距离~ 所以,湖南郴州,我来了~ 从广州南站出发,一个半小时就到达郴州西站了。在动车上,同时改票的南风兄和我居然被分到了一个车厢,所以一路非常愉快地聊了过来。 挺好,最起…...

    2024/5/4 23:55:06
  18. 氧生福地 玩美北湖(中)——永春梯田里的美与鲜

    原标题:氧生福地 玩美北湖(中)——永春梯田里的美与鲜一觉醒来,因为大家太爱“美”照,在柳毅山庄去寻找龙女而错过了早餐时间。近十点,向导坏坏还是带着饥肠辘辘的我们去吃郴州最富有盛名的“鱼头粉”。说这是“十二分推荐”,到郴州必吃的美食之一。 哇塞!那个味美香甜…...

    2024/5/4 23:54:56
  19. 氧生福地 玩美北湖(下)——奔跑吧骚年!

    原标题:氧生福地 玩美北湖(下)——奔跑吧骚年!让我们红尘做伴 活得潇潇洒洒 策马奔腾共享人世繁华 对酒当歌唱出心中喜悦 轰轰烈烈把握青春年华 让我们红尘做伴 活得潇潇洒洒 策马奔腾共享人世繁华 对酒当歌唱出心中喜悦 轰轰烈烈把握青春年华 啊……啊……啊 两…...

    2024/5/4 23:55:06
  20. 扒开伪装医用面膜,翻六倍价格宰客,小姐姐注意了!

    原标题:扒开伪装医用面膜,翻六倍价格宰客,小姐姐注意了!扒开伪装医用面膜,翻六倍价格宰客!当行业里的某一品项火爆了,就会有很多商家蹭热度,装逼忽悠,最近火爆朋友圈的医用面膜,被沾上了污点,到底怎么回事呢? “比普通面膜安全、效果好!痘痘、痘印、敏感肌都能用…...

    2024/5/5 8:13:33
  21. 「发现」铁皮石斛仙草之神奇功效用于医用面膜

    原标题:「发现」铁皮石斛仙草之神奇功效用于医用面膜丽彦妆铁皮石斛医用面膜|石斛多糖无菌修护补水贴19大优势: 1、铁皮石斛:自唐宋以来,一直被列为皇室贡品,铁皮石斛生于海拔1600米的悬崖峭壁之上,繁殖力差,产量极低,所以古代仅供皇室、贵族享用 2、铁皮石斛自古民间…...

    2024/5/4 23:55:16
  22. 丽彦妆\医用面膜\冷敷贴轻奢医学护肤引导者

    原标题:丽彦妆\医用面膜\冷敷贴轻奢医学护肤引导者【公司简介】 广州华彬企业隶属香港华彬集团有限公司,专注美业21年,其旗下品牌: 「圣茵美」私密荷尔蒙抗衰,产后修复 「圣仪轩」私密荷尔蒙抗衰,产后修复 「花茵莳」私密荷尔蒙抗衰,产后修复 「丽彦妆」专注医学护…...

    2024/5/4 23:54:58
  23. 广州械字号面膜生产厂家OEM/ODM4项须知!

    原标题:广州械字号面膜生产厂家OEM/ODM4项须知!广州械字号面膜生产厂家OEM/ODM流程及注意事项解读: 械字号医用面膜,其实在我国并没有严格的定义,通常我们说的医美面膜指的应该是一种「医用敷料」,也就是说,医用面膜其实算作「医疗器械」的一种,又称「医用冷敷贴」。 …...

    2024/5/6 21:42:42
  24. 械字号医用眼膜缓解用眼过度到底有无作用?

    原标题:械字号医用眼膜缓解用眼过度到底有无作用?医用眼膜/械字号眼膜/医用冷敷眼贴 凝胶层为亲水高分子材料,含70%以上的水分。体表皮肤温度传导到本产品的凝胶层,热量被凝胶内水分子吸收,通过水分的蒸发带走大量的热量,可迅速地降低体表皮肤局部温度,减轻局部皮肤的灼…...

    2024/5/4 23:54:56
  25. 配置失败还原请勿关闭计算机,电脑开机屏幕上面显示,配置失败还原更改 请勿关闭计算机 开不了机 这个问题怎么办...

    解析如下&#xff1a;1、长按电脑电源键直至关机&#xff0c;然后再按一次电源健重启电脑&#xff0c;按F8健进入安全模式2、安全模式下进入Windows系统桌面后&#xff0c;按住“winR”打开运行窗口&#xff0c;输入“services.msc”打开服务设置3、在服务界面&#xff0c;选中…...

    2022/11/19 21:17:18
  26. 错误使用 reshape要执行 RESHAPE,请勿更改元素数目。

    %读入6幅图像&#xff08;每一幅图像的大小是564*564&#xff09; f1 imread(WashingtonDC_Band1_564.tif); subplot(3,2,1),imshow(f1); f2 imread(WashingtonDC_Band2_564.tif); subplot(3,2,2),imshow(f2); f3 imread(WashingtonDC_Band3_564.tif); subplot(3,2,3),imsho…...

    2022/11/19 21:17:16
  27. 配置 已完成 请勿关闭计算机,win7系统关机提示“配置Windows Update已完成30%请勿关闭计算机...

    win7系统关机提示“配置Windows Update已完成30%请勿关闭计算机”问题的解决方法在win7系统关机时如果有升级系统的或者其他需要会直接进入一个 等待界面&#xff0c;在等待界面中我们需要等待操作结束才能关机&#xff0c;虽然这比较麻烦&#xff0c;但是对系统进行配置和升级…...

    2022/11/19 21:17:15
  28. 台式电脑显示配置100%请勿关闭计算机,“准备配置windows 请勿关闭计算机”的解决方法...

    有不少用户在重装Win7系统或更新系统后会遇到“准备配置windows&#xff0c;请勿关闭计算机”的提示&#xff0c;要过很久才能进入系统&#xff0c;有的用户甚至几个小时也无法进入&#xff0c;下面就教大家这个问题的解决方法。第一种方法&#xff1a;我们首先在左下角的“开始…...

    2022/11/19 21:17:14
  29. win7 正在配置 请勿关闭计算机,怎么办Win7开机显示正在配置Windows Update请勿关机...

    置信有很多用户都跟小编一样遇到过这样的问题&#xff0c;电脑时发现开机屏幕显现“正在配置Windows Update&#xff0c;请勿关机”(如下图所示)&#xff0c;而且还需求等大约5分钟才干进入系统。这是怎样回事呢&#xff1f;一切都是正常操作的&#xff0c;为什么开时机呈现“正…...

    2022/11/19 21:17:13
  30. 准备配置windows 请勿关闭计算机 蓝屏,Win7开机总是出现提示“配置Windows请勿关机”...

    Win7系统开机启动时总是出现“配置Windows请勿关机”的提示&#xff0c;没过几秒后电脑自动重启&#xff0c;每次开机都这样无法进入系统&#xff0c;此时碰到这种现象的用户就可以使用以下5种方法解决问题。方法一&#xff1a;开机按下F8&#xff0c;在出现的Windows高级启动选…...

    2022/11/19 21:17:12
  31. 准备windows请勿关闭计算机要多久,windows10系统提示正在准备windows请勿关闭计算机怎么办...

    有不少windows10系统用户反映说碰到这样一个情况&#xff0c;就是电脑提示正在准备windows请勿关闭计算机&#xff0c;碰到这样的问题该怎么解决呢&#xff0c;现在小编就给大家分享一下windows10系统提示正在准备windows请勿关闭计算机的具体第一种方法&#xff1a;1、2、依次…...

    2022/11/19 21:17:11
  32. 配置 已完成 请勿关闭计算机,win7系统关机提示“配置Windows Update已完成30%请勿关闭计算机”的解决方法...

    今天和大家分享一下win7系统重装了Win7旗舰版系统后&#xff0c;每次关机的时候桌面上都会显示一个“配置Windows Update的界面&#xff0c;提示请勿关闭计算机”&#xff0c;每次停留好几分钟才能正常关机&#xff0c;导致什么情况引起的呢&#xff1f;出现配置Windows Update…...

    2022/11/19 21:17:10
  33. 电脑桌面一直是清理请关闭计算机,windows7一直卡在清理 请勿关闭计算机-win7清理请勿关机,win7配置更新35%不动...

    只能是等着&#xff0c;别无他法。说是卡着如果你看硬盘灯应该在读写。如果从 Win 10 无法正常回滚&#xff0c;只能是考虑备份数据后重装系统了。解决来方案一&#xff1a;管理员运行cmd&#xff1a;net stop WuAuServcd %windir%ren SoftwareDistribution SDoldnet start WuA…...

    2022/11/19 21:17:09
  34. 计算机配置更新不起,电脑提示“配置Windows Update请勿关闭计算机”怎么办?

    原标题&#xff1a;电脑提示“配置Windows Update请勿关闭计算机”怎么办&#xff1f;win7系统中在开机与关闭的时候总是显示“配置windows update请勿关闭计算机”相信有不少朋友都曾遇到过一次两次还能忍但经常遇到就叫人感到心烦了遇到这种问题怎么办呢&#xff1f;一般的方…...

    2022/11/19 21:17:08
  35. 计算机正在配置无法关机,关机提示 windows7 正在配置windows 请勿关闭计算机 ,然后等了一晚上也没有关掉。现在电脑无法正常关机...

    关机提示 windows7 正在配置windows 请勿关闭计算机 &#xff0c;然后等了一晚上也没有关掉。现在电脑无法正常关机以下文字资料是由(历史新知网www.lishixinzhi.com)小编为大家搜集整理后发布的内容&#xff0c;让我们赶快一起来看一下吧&#xff01;关机提示 windows7 正在配…...

    2022/11/19 21:17:05
  36. 钉钉提示请勿通过开发者调试模式_钉钉请勿通过开发者调试模式是真的吗好不好用...

    钉钉请勿通过开发者调试模式是真的吗好不好用 更新时间:2020-04-20 22:24:19 浏览次数:729次 区域: 南阳 > 卧龙 列举网提醒您:为保障您的权益,请不要提前支付任何费用! 虚拟位置外设器!!轨迹模拟&虚拟位置外设神器 专业用于:钉钉,外勤365,红圈通,企业微信和…...

    2022/11/19 21:17:05
  37. 配置失败还原请勿关闭计算机怎么办,win7系统出现“配置windows update失败 还原更改 请勿关闭计算机”,长时间没反应,无法进入系统的解决方案...

    前几天班里有位学生电脑(windows 7系统)出问题了&#xff0c;具体表现是开机时一直停留在“配置windows update失败 还原更改 请勿关闭计算机”这个界面&#xff0c;长时间没反应&#xff0c;无法进入系统。这个问题原来帮其他同学也解决过&#xff0c;网上搜了不少资料&#x…...

    2022/11/19 21:17:04
  38. 一个电脑无法关闭计算机你应该怎么办,电脑显示“清理请勿关闭计算机”怎么办?...

    本文为你提供了3个有效解决电脑显示“清理请勿关闭计算机”问题的方法&#xff0c;并在最后教给你1种保护系统安全的好方法&#xff0c;一起来看看&#xff01;电脑出现“清理请勿关闭计算机”在Windows 7(SP1)和Windows Server 2008 R2 SP1中&#xff0c;添加了1个新功能在“磁…...

    2022/11/19 21:17:03
  39. 请勿关闭计算机还原更改要多久,电脑显示:配置windows更新失败,正在还原更改,请勿关闭计算机怎么办...

    许多用户在长期不使用电脑的时候&#xff0c;开启电脑发现电脑显示&#xff1a;配置windows更新失败&#xff0c;正在还原更改&#xff0c;请勿关闭计算机。。.这要怎么办呢&#xff1f;下面小编就带着大家一起看看吧&#xff01;如果能够正常进入系统&#xff0c;建议您暂时移…...

    2022/11/19 21:17:02
  40. 还原更改请勿关闭计算机 要多久,配置windows update失败 还原更改 请勿关闭计算机,电脑开机后一直显示以...

    配置windows update失败 还原更改 请勿关闭计算机&#xff0c;电脑开机后一直显示以以下文字资料是由(历史新知网www.lishixinzhi.com)小编为大家搜集整理后发布的内容&#xff0c;让我们赶快一起来看一下吧&#xff01;配置windows update失败 还原更改 请勿关闭计算机&#x…...

    2022/11/19 21:17:01
  41. 电脑配置中请勿关闭计算机怎么办,准备配置windows请勿关闭计算机一直显示怎么办【图解】...

    不知道大家有没有遇到过这样的一个问题&#xff0c;就是我们的win7系统在关机的时候&#xff0c;总是喜欢显示“准备配置windows&#xff0c;请勿关机”这样的一个页面&#xff0c;没有什么大碍&#xff0c;但是如果一直等着的话就要两个小时甚至更久都关不了机&#xff0c;非常…...

    2022/11/19 21:17:00
  42. 正在准备配置请勿关闭计算机,正在准备配置windows请勿关闭计算机时间长了解决教程...

    当电脑出现正在准备配置windows请勿关闭计算机时&#xff0c;一般是您正对windows进行升级&#xff0c;但是这个要是长时间没有反应&#xff0c;我们不能再傻等下去了。可能是电脑出了别的问题了&#xff0c;来看看教程的说法。正在准备配置windows请勿关闭计算机时间长了方法一…...

    2022/11/19 21:16:59
  43. 配置失败还原请勿关闭计算机,配置Windows Update失败,还原更改请勿关闭计算机...

    我们使用电脑的过程中有时会遇到这种情况&#xff0c;当我们打开电脑之后&#xff0c;发现一直停留在一个界面&#xff1a;“配置Windows Update失败&#xff0c;还原更改请勿关闭计算机”&#xff0c;等了许久还是无法进入系统。如果我们遇到此类问题应该如何解决呢&#xff0…...

    2022/11/19 21:16:58
  44. 如何在iPhone上关闭“请勿打扰”

    Apple’s “Do Not Disturb While Driving” is a potentially lifesaving iPhone feature, but it doesn’t always turn on automatically at the appropriate time. For example, you might be a passenger in a moving car, but your iPhone may think you’re the one dri…...

    2022/11/19 21:16:57