SQLite Helper (C#) zt
http://www.codeproject.com/Articles/746191/SQLite-Helper-Csharp
This small class (SQLiteHelper.cs) is built on top of System.Data.SQLite.DLL. A reference of this DLL must be added into your projects.
Download: https://system.data.sqlite.org
List of Simplified Functions
- GetTableStatus
- GetTableList
- GetColumnStatus
- CreateTable
- UpdateTableStructure
- BeginTransaction, Commit, Rollback
- Select
- Execute
- ExecuteScalar
- Escape
- Insert
- Update
- LastInsertRowId
- RenameTable
- CopyAllData
- DropTable
- ShowDatabase
- AttachDatabase, DetachDatabase
Getting Start
Add this using statement at the top of your class:

using System.Data.SQLite;
SQLiteConnection
and SQLiteCommand
have to be initialized before using SQLiteHelper
:
Example:

using (SQLiteConnection conn = new SQLiteConnection("data source=C:\\data"))
{
using (SQLiteCommand cmd = new SQLiteCommand())
{
cmd.Connection = conn;
conn.Open(); SQLiteHelper sh = new SQLiteHelper(cmd); // do something... conn.Close();
}
}
1. GetTableStatus
Get all information of tables in the database.

DataTable dt = sh.GetTableStatus();
Sample result:
type | name | tbl_name | rootpage | sql |
table | sqlite_sequence | sqlite_sequence | 3 | CREATE TABLE sqlite_sequence(name,seq) |
table | person2 | person2 | 5 | CREATE TABLE "person2"( id integer primary key autoincrement, name text, tel text, email text, job text, remarks text) |
table | player | player | 4 | CREATE TABLE `player`( id integer primary key autoincrement, lvl integer, weaponid integer, teamid integer, location text, team_name text, remarks text) |
table | product | product | 6 | CREATE TABLE "product"( id integer primary key autoincrement, name text, qty integer) |
2. GetTableList
Get a list of tables in database.

DataTable dt = sh.GetTableList();
3. GetColumnStatus
Get all information of columns in specific table.

// Get column's information from table "person"
DataTable dt = sh.GetColumnStatus("person");
Sample Result:
cid | name | type | notnull | dflt_value | pk |
0 | id | integer | 0 | 1 | |
1 | lvl | integer | 0 | 0 | |
2 | weaponid | integer | 0 | 0 | |
3 | teamid | integer | 0 | 0 | |
4 | location | text | 0 | 0 | |
5 | team_name | text | 0 | 0 | |
6 | remarks | text | 0 | 0 |
4. CreateTable
Create table.
Example table structure: Person
Column Name | Data Type | Primary Key | Auto Increment | Not Null | Default Value |
id | int | true | true | ||
name | text | ||||
membershipid | int | ||||
level | decimal | 5.5 |

SQLiteTable tb = new SQLiteTable("person"); tb.Columns.Add(new SQLiteColumn("id", true));
tb.Columns.Add(new SQLiteColumn("name"));
tb.Columns.Add(new SQLiteColumn("membershipid", ColType.Integer));
tb.Columns.Add(new SQLiteColumn("level", ColType.Decimal, false, false, "5.5")); sh.CreateTable(tb);
5. UpdateTableStructure
As the name said, it is used to update a table's structure. Maybe you have added new columns, or drop/deleted some columns. This method helps you to update it.
The process at code behind:
- Assume that the old table is named: person
- The class creates a temporary table (named: person_temp) with your new defined structure.
- Copy all rows from person to person_temp.
- Drop/delete table of person.
- Rename table of person_temp to person
Code example:

SQLiteTable tb = new SQLiteTable();
tb.Columns.Add(new SQLiteColumn("id", true));
tb.Columns.Add(new SQLiteColumn("name"));
tb.Columns.Add(new SQLiteColumn("sku"));
tb.Columns.Add(new SQLiteColumn("code"));
tb.Columns.Add(new SQLiteColumn("category"));
tb.Columns.Add(new SQLiteColumn("remarks")); sh.UpdateTableStructure("person", tb);
6. BeginTransaction, Commit, Rollback
What is transaction?
By default, every SQL query that is sent to SQLite database engine happens in a transaction. The engine automatically BEGIN a transaction and COMMIT it at the end. COMMIT is something like "Make it take effect".
If we send 3 SQL queries (INSERT, UPDATE, DELETE, etc...), 3 transactions are taken place. According to [SQLite official documentation - Frequently Asked Questions]:
"...A transaction normally requires two complete rotations of the disk platter, which on a 7200RPM disk drive limits you to about 60 transactions per second..."
Which means, with a 7200RPM hard disk, the best that we can do is 60 INSERTs (or UPDATE, DELETE, etc) per second.
But, If we manually issue a BEGIN TRANSACTION, all the queries will be wrapped in single transaction, then SQLite can execute huge amount of queries per second. Somebody said he can execute 10 million per second at [stackoverflow.com], but this is also depends on the speed of hard disk that you are using.
Code example with SQLiteHelper:

sh.BeginTransaction(); try
{
// INSERT.....
// INSERT.....
// UPDATE....
// ... skip for another 50,000 queries....
// DELETE....
// UPDATE...
// INSERT..... sh.Commit();
}
catch
{
sh.Rollback();
}
ROLLBACK, in the above example means Cancel Transaction. All queries that have sent to SQLite database within that specific transaction are dismissed.
7. Select
Return the query result in DataTable format.
Select(string sql)
Select(string sql, Dictionary<string, object> dicParameters = null)
Select(string sql, IEnumerable<SQLiteParameter> parameters = null)
Example 1:

DataTable dt = sh.Select("select * from person order by id;");
Example 2 (With parameters support):

var dic = new Dictionarystring, object();
dic["@aaa"] = 1;
dic["@bbb"] = 1;
DataTable dt = sh.Select("select * from member where membershipid = @aaa and locationid = @bbb;", dic);
Example 3 (With parameters support):

DataTable dt = sh.Select("select * from member where membershipid = @aaa and locationid = @bbb;",
new SQLiteParameter[] {
new SQLiteParameter("@aaa", 1),
new SQLiteParameter("@bbb", 1)
});
8. Execute
Execute single SQL query.
Execute(string sql)
Execute(string sql, Dictionary<string, object> dicParameters = null)
Execute(string sql, IEnumerable<SQLiteParameter> parameters = null)
Example:

sh.Execute("insert into person(name)values('hello');");
9. ExecuteScalar
Return the result of first row first column in specific data type.
ExecuteScalar(string sql)
ExecuteScalar(string sql, Dictionary<string, object> dicParameters = null)
ExecuteScalar(string sql, IEnumerable<SQLiteParameter> parameters = null)
ExecuteScalar<datatype>(string sql)
ExecuteScalar<datatype>(string sql, Dictionary<string, object> dicParameters = null)
ExecuteScalar<datatype>(string sql, IEnumerable<SQLiteParameter> parameters = null)
Example:

string a = sh.ExecuteScalar<string>("select 'Hello!';"); int b = sh.ExecuteScalar<int>("select 1000;"); decimal c = sh.ExecuteScalar<decimal>("select 4.4;"); DateTime d = sh.ExecuteScalar<DateTime>("select date('now');"); byte[] e = sh.ExecuteScalar<byte[]>("select randomblob(16);");
10. Escape
Escape string sequence for text value to avoid SQL injection or invalid SQL syntax to be constructed.

sh.Execute("insert into person(name) values('" + Escape(input) + "');");
11. Insert
Insert new row of data. All data will be added as parameters at code behind. This support blob (byte[]) value too.

var dic = new Dictionary<string, object>();
dic["name"] = "John";
dic["membershipid"] = 1;
dic["level"] = 6.8; sh.Insert("person", dic);
12. Update
Update row. All data will be added as parameters at code behind. This support blob (byte[]) value too.
Example 1: Update with single condition (where id = 1)

var dicData = new Dictionary<string, object>();
dicData["name"] = "no name";
dicData["membershipid"] = 0;
dicData["level"] = 5.5; sh.Update("person", dicData, "id", 1);
Example 2: Update with multiple condition (where membership = 1 and level = 5.5 and teamid = 1)

var dicData = new Dictionary<string, object>();
dicData["name"] = "no name";
dicData["status"] = 0;
dicData["money"] = 100;
dicData["dateregister"] = DateTime.MinValue; var dicCondition = new Dictionary<string, object>();
dicCondition["membershipid"] = 1;
dicCondition["level"] = 5.5;
dicCondition["teamid"] = 1; sh.Update("person", dicData, dicCondition);
13. LastInsertRowId
Get the last issued id (Auto-Increment)

sh.Insert("person", dicData);
long id = sh.LastInsertRowId();
14. RenameTable
Rename a table.

sh.RenameTable("person", "person_backup");
15. CopyAllData
Copy all data from one table to another.

sh.CopyAllData("person", "person_new");
Before copying, SQLiteHelper
will scan the two tables for match columns. Only columns that exist in both tables will be copied.
16. DropTable
Drop table, delete a table

sh.DropTable("person");
17. ShowDatabase
Display attached databases.

DataTable dt = sh.ShowDatabase();
18. AttachDatabase, DetachDatabase
Attach or detach a database

sh.AttachDatabase("C:\\data2013.sq3", "lastyeardb");
sb.DetachDatabase("lastyeardb");
That's it, guys/girls. Comments are welcome.
SQLite Helper (C#) zt的更多相关文章
- sqlite helper
//-------------------------------------------------------------------------- // // Copyright (c) BUS ...
- SQLite Helper (C#) z
http://www.codeproject.com/Articles/746191/SQLite-Helper-Csharp Introduction I have written a small ...
- C#操作SQLite数据库
SQLite介绍 SQLite is a software library that implements a self-contained, serverless, zero-configurati ...
- Android中多表的SQLite数据库(译)
原文: Android SQLite Database with Multiple Tables 在上一篇教程Android SQLite Database Tutorial中,解释了如何在你的And ...
- C# SQLite 创建数据库的方法增删查改语法和命令
SQLite介绍 SQLite是一个开源.免费的小型RDBMS(关系型数据库),能独立运行.无服务器.零配置.支持事物,用C实现,内存占用较小,支持绝大数的SQL92标准. SQLite数据库官方主页 ...
- 安卓APP与智能硬件相结合的简易方案
第1章 概 述 (作者小波QQ463431476) (来源http://blog.chinaaet.com/zhaocundang/p/5100017645博客) (来源 http://www. ...
- Spring JavaMail发送邮件
JavaMail的介绍 JavaMail,顾名思义,提供给开发者处理电子邮件相关的编程接口.它是Sun发布的用来处理email的API.它可以方便地执行一些常用的邮件传输. 虽然JavaMail是 ...
- HRPlugin For Xcode发布(附源码地址)
今天给大家介绍的这个插件,是我在IOS平台上开发以来,一些想法的集合体.因为本人时常感觉在开发过程中无论从GOOGLE资料查找和SQL数据库查询,正则表达式测试,SVN等,这些经常要做的操作中,耽误了 ...
- 使用Rxjava缓存请求
最近,我尝试使用RxJava开发了一款闲时备份app.我必须承认,一旦你get到了正确的方式,RxJava几乎感觉就像作弊.一切看起来更简洁,多个请求能够被组合,且非常容易控制.通过在UI线程观察和在 ...
随机推荐
- 内置对象之Cookie
if (!this.IsPostBack) { try { HttpCookie MyCookie = new HttpCookie("MyCookie"); MyCookie.V ...
- iOS 基础 第二天(0805)
0805 面向对象三大特性 封装.继承和多态 oc的方法都是在运行过程中才会检测的.编译时方法没实现只会出现警告,运行时出错.如果方法实现了但没有声明,运行时对象仍然可以调用方法不会出错.这是OC中弱 ...
- TWaver3D入门探索——3D拓扑图之人在江湖
俗话说,有人的地方就有江湖,江湖就是帮派林立错综复杂的关系网.今天我们就来展示这样一个小小的江湖. 故事背景 崇祯末年,民不聊生,烽烟四起-- 江湖都是有背景的,我们的3D江湖也需要一个背景.江湖就是 ...
- SVN 迁移
前段时间公司的SVN服务器做升级,需要做SVN迁移,百度谷歌了解了大概,在测试环境试了一下,没什么问题,然后改在正式环境做,迁移成功.之前用的是1.6,我看了下官网有1.8,征得同意后就直接升级加迁移 ...
- 基于局部敏感哈希的协同过滤算法之simHash算法
搜集了快一个月的资料,虽然不完全懂,但还是先慢慢写着吧,说不定就有思路了呢. 开源的最大好处是会让作者对脏乱臭的代码有羞耻感. 当一个做推荐系统的部门开始重视[数据清理,数据标柱,效果评测,数据统计, ...
- 深入js的面向对象学习篇(继承篇)——温故知新(三)
写这篇有关继承的文章时,突然想起,几天前的面试.因为习惯在学习知识的时候加上自己的理解,很喜欢用自己话来解释,于是乎当面试被问起继承原理时,噼里啪啦一大堆都是自己组织的话,(也可能是因为个人紧张.外加 ...
- PHP截取字符串,获取长度,获取字符位置的函数
strstr(string,string) = strchr(,) //从前面第一次出现某个字符串的地方截取到最后strrchr(string,string) //从某个字符串从最后出现的位置截取到结 ...
- import,reload,__import__在python中的区别
import,reload,__import__在python中的区别 http://blog.csdn.net/five3/article/details/7762870 import作用:导入/引 ...
- 一分钟明白 VS manifest 原理
什么是vs 程序的manifest文件 manifest 是VS程序用来标明所依赖的side-by-side组建,如ATL, CRT等的清单. 为什么要有manifest文件 一台pc上,用一组建往往 ...
- c#基础精华01(强调代码规范,虚方法,抽象方法,接口)
强调代码规范 规则(法律,必须遵守否则报错) 语法 规范(道德,大家都喜欢有道德的人.) 注释//,/**/,/// 骆驼命名 :第一个单词首字母小写,之后的单词首字母大写 userName.user ...