SQLite入門指南:輕鬆學習帶有實例的完整教程(含示例)

来源:https://www.cnblogs.com/kimiliucn/archive/2023/07/31/17595354.html
-Advertisement-
Play Games

SQLite 是一個軟體庫,實現了自給自足的、無伺服器的、零配置的、事務性的 SQL 資料庫引擎。SQLite 是在世界上最廣泛部署的 SQL 資料庫引擎。SQLite 源代碼不受版許可權制。 ...


SQLite官網:https://www.sqlite.org/index.html
源視頻教程:https://www.bilibili.com/video/BV1Zz411i78o
菜鳥教程文檔:https://www.runoob.com/sqlite/sqlite-tutorial.html

一、資料庫簡介與基本語法

1.1-資料庫的作用

  • txt去保存1萬行的數據.(數據量超過一定量級[ 大於1w ])
  • 數據格式的管理,以及數據內容的分片

1.2-資料庫的選擇

  • 目前所說:都是SQL(結構化查詢語言)語句
  • 單機版本:
    • ACCESS(微軟)
      • 最大缺點:必須要安裝Office、數據量、查詢速度、寫法有少許不同
    • SQLite
      • 唯一攜帶一個DLL驅動文件(幾百K)
      • 缺點:超過10w的,不建議使用。
  • 企業級資料庫:
    • MsSQLServer
      • 數據量:5000w沒什麼問題
      • 最適合C#
    • My SQL:
      • 要一份非.net官方的驅動
      • 開源
      • 相對於MSSQL Server,優勢是體積小,跨平臺
    • Oracle:
      • 需要非官方驅動
      • 適合JAVA
    • MongDB:
      • 後期支秀
      • 非關係型資料庫

二、資料庫增刪改查語法與實例

2.1-創建表

(1)下載並打開這個工具
image.png
(2)創建一個資料庫,然後創建一個表如下:
image.png
(3)添加列明、數據類型、約束
image.png

2.2-增刪改查

--插入
--註意:Integer允許自動增長(不要被Identity 忽悠)
insert into UserInfo(UserId,UserNames,UserPasss,RegDate) values(1001,'admin','admin','2021-01-21')
insert into UserInfo(UserId,UserNames,UserPasss,RegDate) values(1002,'sanha','sanha', datetime('now','localtime'))

--查詢
select * from UserInfo
--Limit 跳過幾個,取幾個
--Limit 2,2  跳過2個,取2個


--刪除
delete from UserInfo where  UserId=1002

--修改
update  UserInfo set UserNames='sanha_update' where UserId=1002

2.3-使用WinForm和SQLite做登錄註冊

(1)管理Nuget程式包,下載這個類庫:
image.png
1.1-將資料庫文件拷貝在Bin路徑下。
image.png
image.png
(2)寫一個SQLite幫助類

using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Data;
using System.Data.SQLite;

using System.Threading.Tasks;
using System.Configuration;

namespace SQLite
{
    public class SQLiteHelper
    {

        private readonly string _str;
        public SQLiteHelper(string str) {
            _str = str;
        }

        //獲取連接字元串
        //private static readonly string str = ConfigurationManager.ConnectionStrings["DBFilerURL"].ConnectionString;


        /// <summary>
        /// 做增刪改的功能
        /// </summary>
        /// <param name="sql">SQL語句</param>
        /// <param name="ps">SQL語句中的參數</param>
        /// <returns>受影響的行數</returns>
        public  int ExecuteNonQuery(string sql, params SQLiteParameter[] ps)
        {
            //連接資料庫
            using (SQLiteConnection con = new SQLiteConnection(_str))
            {
                using (SQLiteCommand cmd = new SQLiteCommand(sql, con))
                {
                    con.Open();//打開資料庫
                    if (ps != null)
                    {
                        cmd.Parameters.AddRange(ps);//參數,加集合(ps)
                    }
                    return cmd.ExecuteNonQuery();
                }
            }
        }


        /// <summary>
        /// 查詢首行首列
        /// </summary>
        /// <param name="sql">SQL語句</param>
        /// <param name="ps">SQL語句的參數</param>
        /// <returns>返迴首行首列object</returns>
        public  object ExecuteScalar(string sql, params SQLiteParameter[] ps)
        {
            using (SQLiteConnection con = new SQLiteConnection(_str))
            {
                using (SQLiteCommand cmd = new SQLiteCommand(sql, con))
                {
                    con.Open();
                    if (ps != null)
                    {
                        cmd.Parameters.AddRange(ps);
                    }
                    return cmd.ExecuteScalar();
                }
            }
        }


        /// <summary>
        /// 查詢多行
        /// </summary>
        /// <param name="sql">SQL語句</param>
        /// <param name="ps">SQL語句的參數</param>
        /// <returns>返回多行SQLiteDataReader</returns>
        public  SQLiteDataReader ExecuteReader(string sql, params SQLiteParameter[] ps)
        {
            SQLiteConnection con = new SQLiteConnection(_str);
            using (SQLiteCommand cmd = new SQLiteCommand(sql, con))
            {
                if (ps != null)
                {
                    cmd.Parameters.AddRange(ps);
                }
                try
                {
                    con.Open();
                    return cmd.ExecuteReader(System.Data.CommandBehavior.CloseConnection);
                }
                catch (Exception ex)
                {
                    con.Close();
                    con.Dispose();
                    throw ex;
                }
            }
        }


        /// <summary>
        /// 查詢數據表
        /// </summary>
        /// <param name="sql">SQL語句</param>
        /// <param name="ps">SQL語句中的參數</param>
        /// <returns>返回表DataTable</returns>
        public DataTable ExecuteTable(string sql, params SQLiteParameter[] ps)
        {
            DataTable dt = new DataTable();
            using (SQLiteDataAdapter sda = new SQLiteDataAdapter(sql, _str))
            {
                if (ps != null)
                {
                    sda.SelectCommand.Parameters.AddRange(ps);
                }
                sda.Fill(dt);
                return dt;
            }
        }

    }
}

(3)寫一個簡單的界面
image.png
(4)在後端代碼中先寫上這些代碼

//獲取資料庫路徑
 public static string SQLitePath = AppDomain.CurrentDomain.BaseDirectory + "db/SQLiteDemo1.db";
//資料庫連接字元串
public  static string str = string.Format("Data Source={0};Pooling=true;FailIfMissing=false;", SQLitePath);
//實例化對象
SQLiteHelper SQLite = new SQLiteHelper(str);

(5)【登錄】的邏輯

  private void button2_Click(object sender, EventArgs e)
        {
            string name = this.textBox1.Text.ToString();
            string password = this.textBox2.Text.ToString();
            //參數化查詢
            string sql = string.Format("select UserId from UserInfo where UserNames=@name and UserPasss=@password;");
            SQLiteParameter[] parameters =new   SQLiteParameter[]
            {
                new SQLiteParameter("@name",name),
                new SQLiteParameter("@password",password)
            };

            object obj=SQLite.ExecuteScalar(sql, parameters);
            int i =Convert.ToInt32(obj);
            if (i > 0)
            {
                this.label4.Text = "登錄成功!";
                this.label4.Show();
            }
            else {
                this.label4.Text = "登錄失敗!";
                this.label4.Show();
            }
        }

(6)【註冊】的邏輯

private void button1_Click(object sender, EventArgs e)
        {;
            string name = this.textBox1.Text.ToString();
            string password = this.textBox2.Text.ToString();
            //參數化查詢
            string sql = string.Format("insert into UserInfo(UserId,UserNames,UserPasss,RegDate) values(@userid,@username,@passwod,datetime('now','localtime'))");
            SQLiteParameter[] parameters = new SQLiteParameter[]
            {
                new SQLiteParameter("@userid",new Random().Next(10)),
                new SQLiteParameter("@username",name),
                new SQLiteParameter("@passwod",password)
            };

            object obj = SQLite.ExecuteNonQuery(sql, parameters);
            int i = Convert.ToInt32(obj);
            if (i > 0)
            {
                this.label4.Text = "註冊成功!";
                this.label4.Show();
            }
            else
            {
                this.label4.Text = "註冊失敗!";
                this.label4.Show();
            }
        }

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

-Advertisement-
Play Games
更多相關文章
  • 1.前言 眾所周知,Java是一門跨平臺語言,針對不同的操作系統有不同的實現。本文從一個非常簡單的api調用來看看Java具體是怎麼做的. 2.源碼分析 從FileInputStream.java中看到readBytes最後是native調用 /** * Reads a subarray as a ...
  • # RabbitMQ延時隊列和死信隊列 # 延時隊列和死信隊列 > 延時隊列是RabbitMQ中的一種特殊隊列,它可以在消息到達隊列後延遲一段時間再被消費。 > > 延時隊列的實現原理是通過使用消息的過期時間和死信隊列來實現。當消息被髮送到延時隊列時,可以為消息設置一個過期時間,這個過期時間決定了消 ...
  • ASP.NET 團隊和社區在 .NET 8 繼續全力投入 Blazor,為它帶來了非常多的新特性,特別是在服務端渲染(SSR)方面,一定程度解決之前 WASM 載入慢,Server 性能不理想等局限性,也跟原來的 MVC,Razor Pages 框架在底層完成了統一。 AntDesign Blazo ...
  • 在C#中,數據類型分為值類型和引用類型兩種。 引用類型變數存儲的是數據的引用,數據存儲在數據堆中,而值類型變數直接存儲數據。對於引用類型,兩個變數可以引用同一個對象。因此,對一個變數的操作可能會影響另一個變數引用的對象。對於值類型,每個變數都有自己的數據副本,並且對一個變數的操作不可能影響另一個變數 ...
  • 博客推行版本更新,成果積累制度,已經寫過的博客還會再次更新,不斷地琢磨,高質量高數量都是要追求的,工匠精神是學習必不可少的精神。因此,大家有何建議歡迎在評論區踴躍發言,你們的支持是我最大的動力,你們敢投,我就敢肝 ...
  • 現代操作系統都是多任務的分時操作系統,也就是說同時響應多個用戶交互或同時支持多個任務處理,因為 CPU 的速度很快而用戶交互的頻率相比會低得多。所以例如在 Linux 中,可以支持遠大於 CPU 數量的任務同時執行,對於單個 CPU 來說,其實任務並不是在同時執行,而是操作系統在很短的時間內,使得多 ...
  • 原創文檔編寫不易,未經許可請勿轉載。文檔中有疑問的可以郵件聯繫我。 郵箱:[email protected] 說明 Centos 7 系列操作系統在安裝k8s時可能會遇到hostPath type check failed:/sys/fs/bpf is not a direcctory錯誤,該問題為內 ...
  • SQL Server根據查詢結果將數據導出教程,可以選擇導出源,選擇自己要導出的格式文件,然後選擇路徑,包含首列名稱。 ...
一周排行
    -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.數據驗證 在伺服器端進行嚴格的數據驗證,確保接收到的數據符合預期格 ...