基本的CRUD操作

来源:https://www.cnblogs.com/tk55/archive/2017/12/30/8148209.html
-Advertisement-
Play Games

無聊弄了這個東西,還是發表出來吧 導入包 實體類 資料庫連接 資料庫操作 service層數據操作 網頁對service層可視化實現 model package com.ij34.model; public class article { private int id; private String ...


 

 無聊弄了這個東西,還是發表出來吧

導入包---實體類------資料庫連接----資料庫操作----service層數據操作----網頁對service層可視化實現


 

model

package com.ij34.model;

public class article {
   private int id;
   private String title;
   private String content;
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 getContent() {
    return content;
}
public void setContent(String content) {
    this.content = content;
}
   
}
View Code

 

dao

package com.ij34.dao;

import java.sql.DriverManager;

import com.mysql.jdbc.Connection;



public class DbConn {
    private static String username="root";
    private static String password="123456";
    private static String url="jdbc:mysql://localhost:3306/articles?useUnicode=true&characterEncoding=UTF-8";
    private static Connection conn=null;
    
    public static Connection getConnection(){
        if(conn==null){
            try {
                Class.forName("com.mysql.jdbc.Driver");
                conn=(Connection) DriverManager.getConnection(url, username, password);
            } catch (Exception e) {
                // TODO: handle exception
                e.printStackTrace();
            }
        }
        return conn;
    }
     
    //test connection
    public static void main(String[] args) {
        DbConn db=new DbConn();
        System.out.println(db.toString());
    }
}
View Code

 

package com.ij34.dao;

import java.sql.ResultSet;
import java.util.ArrayList;
import java.util.List;

import com.ij34.model.article;
import com.mysql.jdbc.Connection;
import com.mysql.jdbc.PreparedStatement;

public class ArticleDao {
   
    public List<article> getfindAll(){  //查All,返回list
        List<article> list=new ArrayList<article>();
        String sql="select * from article";
        Connection conn=DbConn.getConnection();
        try {
            PreparedStatement pstm=(PreparedStatement) conn.prepareStatement(sql);
            ResultSet rs=pstm.executeQuery();
            while(rs.next()){
                article art=new article();
                art.setId(rs.getInt("id"));
                art.setTitle(rs.getString("title"));
                art.setContent(rs.getString("content"));
                list.add(art);
            }
            rs.close();
            pstm.close();
        } catch (Exception e) {
            // TODO: handle exception
            e.printStackTrace();
        }
        return list;
        
    }
    
    public boolean addArticle(article art){ //
        String sql="insert into article(title,content)values(?,?)";
        Connection conn=DbConn.getConnection();
        try {
            PreparedStatement pstm=(PreparedStatement) conn.prepareStatement(sql);
            pstm.setString(1, art.getTitle());
            pstm.setString(2, art.getContent());
            int count=pstm.executeUpdate();
            pstm.close();
            if(count>0) return true;
            else return false;
        } catch (Exception e) {
            // TODO: handle exception
            e.printStackTrace();
        }
        return false;
        
    }
    
    public boolean updateArticle(article art){ //修改
        String sql="update article set title=?,content=? where id=?";
        Connection conn=DbConn.getConnection();
        try {
            PreparedStatement pstm=(PreparedStatement) conn.prepareStatement(sql);
            pstm.setString(1, art.getTitle());
            pstm.setString(2, art.getContent());
            pstm.setInt(3, art.getId());
            int count=pstm.executeUpdate();
            pstm.close();
            if(count>0) return true;
            else return false;
        } catch (Exception e) {
            // TODO: handle exception
            e.printStackTrace();
        }
        return false;
        
    }
    
    public boolean deleteArticle(int id){  //刪除,根據id
        String sql="delete from article where id=?";
        Connection conn=DbConn.getConnection();
        try {
            PreparedStatement pstm=(PreparedStatement) conn.prepareStatement(sql);
            pstm.setInt(1, id);  //id不可以寫在上面sql上
            int count=pstm.executeUpdate();
            pstm.close();
            if(count>0) return true;
            else return false;
        } catch (Exception e) {
            e.printStackTrace();
        }
        return false;
        
    }
    
    public article selectById(int id){//根據id查找
        String sql="select * from article where id="+id;
        Connection conn=DbConn.getConnection();
        article art=null;
        try {
            PreparedStatement pstm=(PreparedStatement) conn.prepareStatement(sql);
            ResultSet rs=pstm.executeQuery();
            while(rs.next()){
                art=new article();
                art.setId(rs.getInt("id"));
                art.setTitle(rs.getString("title"));
                art.setContent(rs.getString("content"));
            }
            rs.close();
            pstm.close();
        } catch (Exception e) {
            e.printStackTrace();
        }
        return art;
    }
}
View Code

 

service

add

package com.ij34.service;

import java.io.IOException;

import javax.servlet.ServletException;
import javax.servlet.http.HttpServlet;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;

import com.ij34.dao.ArticleDao;
import com.ij34.model.article;

public class addArticle extends HttpServlet{

    /**
     * 
     */
    private static final long serialVersionUID = 1L;

    @Override
    protected void doGet(HttpServletRequest req, HttpServletResponse resp) throws ServletException, IOException {
        // TODO Auto-generated method stub
        this.doPost(req, resp);
    }

    @Override
    protected void doPost(HttpServletRequest req, HttpServletResponse resp) throws ServletException, IOException {
        // TODO Auto-generated method stub
        article art=new article();
        String title=req.getParameter("title");
        String content=req.getParameter("content");
        art.setTitle(new String(title.getBytes("ISO-8859-1"),"UTF-8"));
        art.setContent(new String(content.getBytes("ISO-8859-1"),"UTF-8"));
        ArticleDao ad=new ArticleDao();
        ad.addArticle(art);
        req.getRequestDispatcher("showArticle").forward(req, resp);
    }
   
}
View Code

 

del

package com.ij34.service;

import java.io.IOException;

import javax.servlet.ServletException;
import javax.servlet.http.HttpServlet;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;

import com.ij34.dao.ArticleDao;

public class deleteArticle extends HttpServlet{

    /**
     * 
     */
    private static final long serialVersionUID = 1L;

    @Override
    protected void doGet(HttpServletRequest req, HttpServletResponse resp) throws ServletException, IOException {
        // TODO Auto-generated method stub
        this.doPost(req, resp);
    }

    @Override
    protected void doPost(HttpServletRequest req, HttpServletResponse resp) throws ServletException, IOException {
        // TODO Auto-generated method stub
        String idStr=req.getParameter("id");
        if(idStr!=null&&!idStr.equals("")){
            int id=Integer.valueOf(idStr);
            ArticleDao ad=new ArticleDao();
            ad.deleteArticle(id);
        }
        req.getRequestDispatcher("showArticle").forward(req, resp);
    }

}
View Code

 

find

package com.ij34.service;

import java.io.IOException;
import java.util.List;

import javax.servlet.ServletException;
import javax.servlet.http.HttpServlet;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;

import com.ij34.dao.ArticleDao;
import com.ij34.model.article;

public class showArticle extends HttpServlet{

    /**
     * 
     */
    private static final long serialVersionUID = 1L;

    @Override
    protected void doGet(HttpServletRequest req, HttpServletResponse resp) throws ServletException, IOException {
        // TODO Auto-generated method stub
        this.doPost(req, resp);
    }

    @Override
    protected void doPost(HttpServletRequest req, HttpServletResponse resp) throws ServletException, IOException {
        // TODO Auto-generated method stub
        ArticleDao ad=new ArticleDao();
        List<article> list=ad.getfindAll();
        req.setAttribute("list", list);
        req.getRequestDispatcher("show.jsp").forward(req, resp);
    }
   
}
View Code

 

update

package com.ij34.service;

import java.io.IOException;

import javax.servlet.ServletException;
import javax.servlet.http.HttpServlet;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;

import com.ij34.dao.ArticleDao;
import com.ij34.model.article;

public class updateArticle extends HttpServlet{

    /**
     * 
     */
    private static final long serialVersionUID = 1L;

    @Override
    protected void doGet(HttpServletRequest req, HttpServletResponse resp) throws ServletException, IOException {
        // TODO Auto-generated method stub
        String idStr=req.getParameter("id");
        if(idStr!=null&&!idStr.equals("")){
            ArticleDao ad=new ArticleDao();
            int id=Integer.valueOf(idStr);
           article art=ad.selectById(id);
           req.setAttribute("article", art);
        }
          req.getRequestDispatcher("update.jsp").forward(req, resp);
    }

    @Override
    protected void doPost(HttpServletRequest req, HttpServletResponse resp) throws ServletException, IOException {
        // TODO Auto-generated method stub
        article art=new article();
        String idStr=req.getParameter("id");
        String title=req.getParameter("title");
        String content=req.getParameter("content");
        art.setId(Integer.valueOf(idStr));
        art.setTitle(new String(title.getBytes("ISO-8859-1"),"UTF-8"));
        art.setContent(new String(content.getBytes("ISO-8859-1"),"UTF-8"));
        ArticleDao ad=new ArticleDao();
        ad.updateArticle(art);
        req.getRequestDispatcher("showArticle").forward(req, resp);
    }
    
}
View Code

 

web.xml

<?xml version="1.0" encoding="UTF-8"?>
<web-app xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns="http://java.sun.com/xml/ns/javaee" xsi:schemaLocation="http://java.sun.com/xml/ns/javaee http://java.sun.com/xml/ns/javaee/web-app_2_5.xsd" id="WebApp_ID" version="2.5">
  <display-name>Articles</display-name>
  <welcome-file-list>
    <welcome-file>index.jsp</welcome-file>
  </welcome-file-list>
  <servlet>
    <servlet-name>addArticle</servlet-name>
    <servlet-class>com.ij34.service.addArticle</servlet-class>
  </servlet>
  <servlet-mapping>
    <servlet-name>addArticle</servlet-name>
    <url-pattern>/addArticle</url-pattern>
  </servlet-mapping>
  
    <servlet>
    <servlet-name>deleteArticle</servlet-name>
    <servlet-class>com.ij34.service.deleteArticle</servlet-class>
  </servlet>
  <servlet-mapping>
    <servlet-name>deleteArticle</servlet-name>
    <url-pattern>/deleteArticle</url-pattern>
  </servlet-mapping>
  
    <servlet>
    <servlet-name>showArticle</servlet-name>
    <servlet-class>com.ij34.service.showArticle</servlet-class>
  </servlet>
  <servlet-mapping>
    <servlet-name>showArticle</servlet-name>
    <url-pattern>/showArticle</url-pattern>
  </servlet-mapping>
  
    <servlet>
    <servlet-name>updateArticle</servlet-name>
    <servlet-class>com.ij34.service.updateArticle</servlet-class>
  </servlet>
  <servlet-mapping>
    <servlet-name>updateArticle</servlet-name>
    <url-pattern>/updateArticle</url-pattern>
  </servlet-mapping>
</web-app>
View Code

 

網頁

index

<%@ page language="java" contentType="text/html; charset=UTF-8"
    pageEncoding="UTF-8"%>
<jsp:forward page="showArticle"/>  //要寫doget
View Code

add

<%@ page language="java" contentType="text/html; charset=UTF-8"
    pageEncoding="UTF-8"%>
<%@ taglib prefix="c" uri="http://java.sun.com/jsp/jstl/core"%>
<!DOCTYPE html PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd">
<html>
<head>
<meta http-equiv="Content-Type" content="text/html; charset=UTF-8">
<title>添 加</title>
</head>
<body>
<form action="addArticle" method="post">
  <table align="center">
        <tr>
           <td colspan="2"><center><h4>添加</h4></center></td> 
        </tr>
        <tr>
           <td>標 題:</td><td><input type="text" name="title"/></td>
        </tr>
                <tr>
           <td>內 容:</td><td><input type="text" name="content"/></td>
        </tr>
        <tr>
          <td><input type="submit" value="提  交"/></td><td><input type="reset" value="重 置"/></td>
        </tr>
  </table>
</form>
</body>
</html>
View Code

 

update

<%@ page language="java" contentType="text/html; charset=UTF-8"%>
<%@ taglib prefix="c" uri="http://java.sun.com/jsp/jstl/core"%>
<!DOCTYPE html PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd">
<html>
<head>
<meta http-equiv="Content-Type" content="text/html; charset=UTF-8">
<title>修 改</title>
</head>
<body>
<form action="updateArticle" method="post">
  <table align="center">
        <tr>
           <td colspan="2"><center><h4>修 改</h4></center></td> 
        </tr>
                <tr>
           <td>編 號:</td><td><input type="text" name="id" value="${article.id }" readonly="readonly"/></td>
        </tr>
        <tr>
           <td>標 題:</td><td><input type="text" name="title" value="${article.title }"/></td>
        </tr>
                <tr>
           <td>內 容:</td><td><input type="text" name="content" value="${article.content }"></td>
        </tr>
        <tr>
          <td><input type="submit" value="提  交"/></td><td><input type="button" value="返回" onclick="history.go(-1)"/></td>
        </tr>
  </table>
</form>
</body>
</html>
View Code

show

<%@ page language="java" contentType="text/html; charset=UTF-8"
    pageEncoding="UTF-8"%>
<%	   

您的分享是我們最大的動力!

-Advertisement-
Play Games
更多相關文章
  • 本文使用helloworld來作為android的入門項目,通過這個最簡單的項目來幫助大家瞭解android程式開發包含哪些部分,以及如何運行android程式,本次開發android程式的工具是eclipse。 工具準備: eclipse sdk 逍遙安卓或者其它模擬器 APP創建步驟 1、打開已 ...
  • 在Android6.0以後,Google將許可權分為了兩類,一類為正常許可權(Normal Permission),一類為危險許可權(Dangerous Permission)。對於正常正常許可權,只需在Manifest文件裡面申請即可,但對於危險許可權,需要運行時動態申請。 危險許可權包括以下: 動態許可權申請 ...
  • 經過前面三期的破解,想必大家已經非常熟悉破解的流程,這一篇也算是練手項目,我們繼續來練習吧 apk下載地址:鏈接: https://pan.baidu.com/s/1sl3b3R3 密碼: 6666 破解步驟: 1.試玩,找到關鍵字 如下圖,可以看到彈出了Toast對話框,支付失敗!這幾字就是我們要 ...
  • 前言:本文主要講述使用hook方式實現紅包插件,涉及到tweak相關知識,如果你不想瞭解具體實現細節可直接到我的 "Github" 地址參考安裝(包含越獄和非越獄兩種方法)   轉眼間2017即將過去,又到了領紅包拿到手軟的時候。年會上少不了幾百上千的紅包,真是稍不留神就錯過幾 ...
  • 空頁面的顯示很常用,所以自己做了一個通用的空頁面顯示,先看效果圖 在有網路的時候正常載入顯示,在沒有網路的時候自動載入空頁面,點擊空頁面重新載入網路請求的一個功能 1:定義一個xml頁面,頁面佈局是一個iamgeview和一個textview的顯示 2:添加輔助類,控制載入空頁面和顯示隱藏等邏輯 3 ...
  • 邊緣與中心檢測: CGRectGetMinX 返回矩形左邊緣的坐標。 CGRectGetMinY 返回矩形底部邊緣的坐標。 CGRectGetMidX 返回矩形中心的x坐標。 CGRectGetMidY 返回矩形中心的y坐標。 CGRectGetMaxX 返回矩形右邊緣的坐標。 CGRectGetM ...
  • 添加屬性 odiv.setAttribute("title","hello div!"); odiv.setAttribute("class","boxClass"); odiv.setAttribute("hello","divTag");//自定義屬性設(hello="divTag") 獲取屬性... ...
  • 類選擇器相容性 getbyclass()類選擇器,在IE8及以下均不可用。 // 類選擇器的相容性 function getbyclass(parentName,Name){ var parentName=document.getElementById(parentName); // 通過標簽名通配... ...
一周排行
    -Advertisement-
    Play Games
  • 移動開發(一):使用.NET MAUI開發第一個安卓APP 對於工作多年的C#程式員來說,近來想嘗試開發一款安卓APP,考慮了很久最終選擇使用.NET MAUI這個微軟官方的框架來嘗試體驗開發安卓APP,畢竟是使用Visual Studio開發工具,使用起來也比較的順手,結合微軟官方的教程進行了安卓 ...
  • 前言 QuestPDF 是一個開源 .NET 庫,用於生成 PDF 文檔。使用了C# Fluent API方式可簡化開發、減少錯誤並提高工作效率。利用它可以輕鬆生成 PDF 報告、發票、導出文件等。 項目介紹 QuestPDF 是一個革命性的開源 .NET 庫,它徹底改變了我們生成 PDF 文檔的方 ...
  • 項目地址 項目後端地址: https://github.com/ZyPLJ/ZYTteeHole 項目前端頁面地址: ZyPLJ/TreeHoleVue (github.com) https://github.com/ZyPLJ/TreeHoleVue 目前項目測試訪問地址: http://tree ...
  • 話不多說,直接開乾 一.下載 1.官方鏈接下載: https://www.microsoft.com/zh-cn/sql-server/sql-server-downloads 2.在下載目錄中找到下麵這個小的安裝包 SQL2022-SSEI-Dev.exe,運行開始下載SQL server; 二. ...
  • 前言 隨著物聯網(IoT)技術的迅猛發展,MQTT(消息隊列遙測傳輸)協議憑藉其輕量級和高效性,已成為眾多物聯網應用的首選通信標準。 MQTTnet 作為一個高性能的 .NET 開源庫,為 .NET 平臺上的 MQTT 客戶端與伺服器開發提供了強大的支持。 本文將全面介紹 MQTTnet 的核心功能 ...
  • Serilog支持多種接收器用於日誌存儲,增強器用於添加屬性,LogContext管理動態屬性,支持多種輸出格式包括純文本、JSON及ExpressionTemplate。還提供了自定義格式化選項,適用於不同需求。 ...
  • 目錄簡介獲取 HTML 文檔解析 HTML 文檔測試參考文章 簡介 動態內容網站使用 JavaScript 腳本動態檢索和渲染數據,爬取信息時需要模擬瀏覽器行為,否則獲取到的源碼基本是空的。 本文使用的爬取步驟如下: 使用 Selenium 獲取渲染後的 HTML 文檔 使用 HtmlAgility ...
  • 1.前言 什麼是熱更新 游戲或者軟體更新時,無需重新下載客戶端進行安裝,而是在應用程式啟動的情況下,在內部進行資源或者代碼更新 Unity目前常用熱更新解決方案 HybridCLR,Xlua,ILRuntime等 Unity目前常用資源管理解決方案 AssetBundles,Addressable, ...
  • 本文章主要是在C# ASP.NET Core Web API框架實現向手機發送驗證碼簡訊功能。這裡我選擇是一個互億無線簡訊驗證碼平臺,其實像阿裡雲,騰訊雲上面也可以。 首先我們先去 互億無線 https://www.ihuyi.com/api/sms.html 去註冊一個賬號 註冊完成賬號後,它會送 ...
  • 通過以下方式可以高效,並保證數據同步的可靠性 1.API設計 使用RESTful設計,確保API端點明確,並使用適當的HTTP方法(如POST用於創建,PUT用於更新)。 設計清晰的請求和響應模型,以確保客戶端能夠理解預期格式。 2.數據驗證 在伺服器端進行嚴格的數據驗證,確保接收到的數據符合預期格 ...