我正在玩C#和本地数据库(An empty SQL Server Compact Edition database for local data
)
但我无法连接到数据库并获取数据。
这是我尝试的:
// Properties.Settings.Default.DatabaseConnectionString = Data Source=|DataDirectory|\Database.sdf
// I guess Visual Studio put it there after I created my database...
using(SqlConnection sqlConnection = new SqlConnection(Properties.Settings.Default.DatabaseConnectionString)) {
using(SqlCommand sqlCommand = new SqlCommand("SELECT * FROM users WHERE id = @id", sqlConnection)) {
sqlCommand.CommandType = CommandType.StoredProcedure;
sqlCommand.Parameters.AddWithValue("@id", 1);
try {
sqlConnection.Open();
SqlDataReader reader = sqlCommand.ExecuteReader(CommandBehavior.SingleRow);
if(reader.Read()) {
System.Console.WriteLine(reader);
System.Console.WriteLine(reader["id"]);
System.Console.WriteLine(reader["name"]);
}
}
catch(Exception e) {
System.Console.WriteLine(e.GetBaseException());
}
finally {
sqlConnection.Close();
}
}
}
我的整个程序暂停一段时间,暂停后我收到此消息:
建立与SQL Server的连接时发生与网络相关或特定于实例的错误。服务器未找到或无法访问。验证实例名称是否正确,以及SQL Server是否配置为允许远程连接。 (提供程序:SQL网络接口,错误:26 - 查找指定的服务器/实例时出错)
答案 0 :(得分:3)
我正在玩C#和一个本地数据库(一个空的SQL Server Compact Edition数据库) 本地数据)
您使用的是Sql Server Compact
文件,而不是Sql Server Local DB
要处理 Sql Server Compact ,您需要使用System.Data.SqlServerCe
命名空间,而不是System.Data.SqlServer
。
替换SqlConnection
,SqlCommand
,...
使用SqlceConnection
,SqlCeCommand
,...
Sql Server Compact (How to use Stored Procedure in SqlCE)不支持存储过程,因此sqlCeCommand.CommandType
不能为CommandType.StoredProcedure
。
您需要将commandType.Text与命令参数一起使用。
using(SqlCeConnection sqlCeConnection = new SqlCeConnection(Properties.Settings.Default.DatabaseConnectionString)) {
using(SqlCeCommand sqlCeCommand = new SqlCeCommand("SELECT * FROM users WHERE id = @id", sqlCeConnection)) {
sqlCeCommand.CommandType = CommandType.Text;
sqlCeCommand.Parameters.AddWithValue("@id", 1);
try {
sqlCeConnection.Open();
SqlCeDataReader reader = sqlCeCommand.ExecuteReader(CommandBehavior.SingleRow);
if(reader.Read()) {
System.Console.WriteLine(reader);
System.Console.WriteLine(reader["id"]);
System.Console.WriteLine(reader["name"]);
}
}
catch(Exception e) {
System.Console.WriteLine(e.GetBaseException());
}
finally {
sqlCeConnection.Close();
}
}
}
答案 1 :(得分:1)
您需要使用:
using System.Data.SqlServerCe;
然后
using (SqlCeConnection sqlConnection = new SqlCeConnection(Properties.Settings.Default.DatabaseConnectionString))
{
using (SqlCeCommand sqlCommand = new SqlCeCommand("SELECT * FROM users WHERE id = @id", sqlConnection))
{
sqlCommand.CommandType = CommandType.Text;
sqlCommand.Parameters.AddWithValue("@id", 1);
try
{
sqlConnection.Open();
SqlCeDataReader reader = sqlCommand.ExecuteReader(CommandBehavior.SingleRow);
if (reader.Read())
{
System.Console.WriteLine(reader);
System.Console.WriteLine(reader["id"]);
System.Console.WriteLine(reader["name"]);
}
}
catch (Exception e)
{
System.Console.WriteLine(e.GetBaseException());
}
finally
{
sqlConnection.Close();
}
}
}