2

我目前正在为我的控制台应用程序使用这个 SQLite 库:http ://system.data.sqlite.org/index.html/doc/trunk/www/index.wiki - 到目前为止,SELECT 查询还可以,但是这样做 INSERT 给我带来了问题,我还没有找到解决方案。

我猜代码可以重新工作,但我看不出怎么做?

代码

public string NewChannel(string _channel)
{
    SQLiteConnection m_dbConnection = new SQLiteConnection(m_connection);
    using (var cmd = m_dbConnection.CreateCommand())
    {
        m_dbConnection.Open();
        cmd.CommandText = "INSERT INTO channels (name) VALUES (@name)";
        cmd.Parameters.AddWithValue("@name", _channel);

        try
        {
            int result = cmd.ExecuteNonQuery();
            return "New channel added: " + _channel;
        }
        catch (Exception ex)
        {
            Console.WriteLine(ex.InnerException);
            return null;
        }
    }
}

错误

SQLite 错误(10):延迟 1375ms 锁定/共享冲突 SQLite

错误 (14): os_win.c:34909: (5) winOpen(c:\db.sqlite-journal) - 访问被拒绝。SQLite 错误 (14): os_win.c:34909: (2)

winOpen(c:\db.sqlite-journal) - 系统找不到文件

指定的。SQLite 错误 (14): cannot open file at line 34917 of

[118a3b3569] SQLite 错误 (14):语句在 7 处中止:[INSERT INTO channels (name) VALUES (@name)]

4

1 回答 1

0

特定的错误代码表示以下内容:

错误代码 14:无法打开 SQL Lite 数据库文件。

以管理员身份运行 Visual Studio 的原因是您提升了读写权限。并不是它实际上是在创建一个新文件,而是它可能正在读取或写入数据到文件中。

基于可能基于给定角色限制的特定权限,除非权限已明确定义。

正如我上面提到的,根C:需要高级用户或更高版本才能在根上写入数据。当您的数据库尝试追加时,它被认为是它可能无法执行的写入。

  1. 解决方案一:明确定义应用程序/用户的权限以避免问题。
  2. 解决方案二:在它尝试访问数据文件之前写一个检查以确保正确的权限。

这种检查的一个例子:

public ValidFolderPermission(string filePath)
{
     if(File.Exist(filePath))
     {
          // Open Stream and Read.
          using (FileStream fs = File.Open(filePath, FileMode.Open))
          {
                byte[] data = new byte[1024];
                UTF8Encoding temp = new UTF8Encoding(true);

                while (fs.Read(b, 0, b.Length) > 0)
                {
                      Console.WriteLine(temp.GetString(b));
                }
           }
     }
}

在这种情况下,如果它实际上打开了该路径中的文件,则您具有适当的访问权限。如果没有,那么你没有权限。

重要提示:要真正进行测试,您应该使用tryand catch,甚至可能boolean returns确保它在您写入数据库之前准确处理。

您甚至可以像这样检查用户权限级别:

WindowsIdentity user = WindowsIdentity.GetCurrent();
WindowsPrincipal role = new WindowsPrincipal(user);

if(role.IsInRole(WindowsBuiltInRole.Administrator)
{
     // Do Something
}
else
{
     // Do Something Else
}

这是一种通用方法,但有更好更简洁的方法来测试操作系统的用户访问控制功能、用户帐户的空值等,以处理您可能遇到的其他问题。

希望这会为您指明正确的方向。

于 2013-06-12T23:09:40.370 回答