SQLite数据库锁定异常

我仅在某些查询中 从SQLite收到Database is Locked异常。

下面是我在给某客户做软件定制中的代码: 当我执行任何 select 语句时,它工作正常。
当我在Jobs表上执行任何写入语句时,它也可以正常工作。

这工作正常:

ExecuteNonQuery("DELETE FROM Jobs WHERE id=1");

但同样,如果我对表执行查询,它会抛出数据库已锁定的Employees异常。 这会引发异常:

ExecuteNonQuery("DELETE FROM Employees WHERE id=1");

以下是我的功能:

public bool OpenConnection()
{
    if (Con == null)
    {
        Con = new SQLiteConnection(ConnectionString);
    }
    if (Con.State == ConnectionState.Closed)
    {
        Con.Open();
        //Cmd = new SQLiteCommand("PRAGMA FOREIGN_KEYS=ON", Con);
        //Cmd.ExecuteNonQuery();
        //Cmd.Dispose();
        //Cmd=null;
        return true;
    }
    if (IsConnectionBusy())
    {
        Msg.Log(new Exception("Connection busy"));
    }
    return false;
}

public Boolean CloseConnection()
{
    if (Con != null && Con.State == ConnectionState.Open)
    {
        if (Cmd != null) Cmd.Dispose();
        Cmd = null;
        Con.Close();
        return true;
    }

    return false;
}

public Boolean ExecuteNonQuery(string sql)
{
    if (sql == null) return false;
    try
    {
        if (!OpenConnection())
            return false;
        else
        {
            //Tx = Con.BeginTransaction(IsolationLevel.ReadCommitted);
            Cmd = new SQLiteCommand(sql, Con);
            Cmd.ExecuteNonQuery();
            //Tx.Commit();
            return true;
        }
    }
    catch (Exception exception)
    {
        //Tx.Rollback();
        Msg.Log(exception);
        return false;
    }
    finally
    {
        CloseConnection();
    }
}

这是例外情况:在第 103 行:Cmd.ExecuteNonQuery();

发现异常:类型:System.Data.SQLite.SQLiteException 消息:数据库已锁定数据库已锁定源:System.Data.SQLite

堆栈跟踪:在 System.Data.SQLite.SQLite3.Step(SQLiteStatement stmt) 在 System.Data.SQLite.SQLiteDataReader.NextResult() 在 System.Data.SQLite.SQLiteDataReader..ctor(SQLiteCommand cmd,CommandBehavior 行为) 在 System.Data d:\Projects\C# Applications\Completed Projects\TimeSheet6\TimeSheet6\DbOp 中 TimeSheet6.DbOp.ExecuteNonQuery(String sql) 处 System.Data.SQLite.SQLiteCommand.ExecuteNonQuery() 处的 .SQLite.SQLiteCommand.ExecuteReader(CommandBehavior 行为)。 CS:第 103 行

在此过程中的某个地方,连接一直处于打开状态。去掉OpenConnectionandCloseConnection并更改ExecuteNonQuery为:

using (SQLiteConnection c = new SQLiteConnection(ConnectionString))
{
    c.Open();
    using (SQLiteCommand cmd = new SQLiteCommand(sql, c))
    {
        cmd.ExecuteNonQuery();
    }
}

此外,将读取数据的方式更改为:

using (SQLiteConnection c = new SQLiteConnection(ConnectionString))
{
    c.Open();
    using (SQLiteCommand cmd = new SQLiteCommand(sql, c))
    {
        using (SQLiteDataReader rdr = cmd.ExecuteReader())
        {
            ...
        }
    }
}

不要像现在这样尝试自己管理连接池。首先,它比您编写的代码复杂得多,但其次,它已经在对象内部进行了处理SQLiteConnection。最后,如果您没有利用using,您就没有正确处理这些对象,最终会遇到像现在这样的问题。

你可能感兴趣的:(数据库,sqlite,jvm)