创建SQLite数据库和表
本文关键字:数据库 SQLite 创建 | 更新日期: 2023-09-27 18:03:10
在c#应用程序代码中,我想创建一个或多个SQLite数据库,然后与之交互。
如何初始化一个新的SQLite数据库文件并打开它进行读写?
创建数据库之后,如何执行DDL语句来创建表?
下一个链接将为您带来一个很棒的教程,这对我帮助很大!
如何在c#中使用SQLITE:我几乎使用了那篇文章中的所有内容来为我自己的c#应用程序创建SQLITE数据库。
先决条件
-
下载SQLite.dll
- 通过手动添加SQLite DLL
- 或使用NuGet
-
将其添加到您的项目
-
从你的代码中引用dll,使用下面的行在你的类的顶部:
using System.Data.SQLite;
代码示例
下面的代码创建了一个数据库文件,并在其中插入了一条记录:
// this creates a zero-byte file
SQLiteConnection.CreateFile("MyDatabase.sqlite");
string connectionString = "Data Source=MyDatabase.sqlite;Version=3;";
SQLiteConnection m_dbConnection = new SQLiteConnection(connectionString);
m_dbConnection.Open();
// varchar will likely be handled internally as TEXT
// the (20) will be ignored
// see https://www.sqlite.org/datatype3.html#affinity_name_examples
string sql = "Create Table highscores (name varchar(20), score int)";
// you could also write sql = "CREATE TABLE IF NOT EXISTS highscores ..."
SQLiteCommand command = new SQLiteCommand(sql, m_dbConnection);
command.ExecuteNonQuery();
sql = "Insert into highscores (name, score) values ('Me', 9001)";
command = new SQLiteCommand(sql, m_dbConnection);
command.ExecuteNonQuery();
m_dbConnection.Close();
在c#中创建了一个create脚本之后,您可能想要添加回滚事务。它将确保数据在最后作为一个原子操作以一个大块提交到数据库,而不是以小块提交,例如,它可能在第5次或第10次查询时失败。
关于如何使用事务的示例:
using (TransactionScope transaction = new TransactionScope())
{
//Insert create script here.
// Indicates that creating the SQLiteDatabase went succesfully,
// so the database can be committed.
transaction.Complete();
}
第三方编辑
读取记录可以使用ExecuteReader()
sql = "SELECT score, name, Length(name) as Name_Length
FROM highscores WHERE score > 799";
command = new SQLiteCommand(sql, m_dbConnection);
SQLiteDataReader reader = command.ExecuteReader();
while(reader.Read())
{
Console.WriteLine(reader[0].ToString() + " "
+ reader[1].ToString() + " "
+ reader[2].ToString());
}
dbConnection.Close();
参见此transactionscope示例