我有一个C#winforms应用程序,我想在两个或更多设备上安装它, 但我希望他们共享同一个数据库。 关于如何做到这一点的任何建议?
答案 0 :(得分:1)
你的问题太笼统了,所以我试着给你一般的答案。
您可能正在尝试为拥有数据共享数据库的更多用户创建应用。可能最好的选择是在服务器上公开您的共享数据库(通过目的 - lan或wan)并从每个设备连接到它。
您应该提到您正在使用的数据库,例如MySQL,MSSQL,......
其他的事情是,如果你想在每个设备上有一个db,它们是离线修改的,并且在时间间隔内是同步的,但我不知道如何解决这种情况的好方法。
我会在您提供更多信息后更新。
编辑: 首先要做的是 - 公共MSSQL服务器,因此应用程序将从能够ping MSSQL服务器的设备启动。 其次你从应用程序创建它的连接,我提供样本,你应该在你的情况下修改它以达到最佳目的(例如 - 不是为每个查询创建一个连接,你应该使用连接池,事务的使用等... )
using System;
using System.Data;
using System.Data.SqlClient;
using System.Text;
public class Program
{
static void Main()
{
string Query = "SELECT * FROM [MyTable]";
//db connection config
DbConfigInfo Config = new DbConfigInfo()
{
ServerAddress = "MyServer",
DbName = "MyDb",
TrustedConnection = true
};
//db adapter for communication
DbAdapter Adapter = new DbAdapter()
{
DbConfig = Config
};
//output with data
DataTable MyDataTable;
if (!Adapter.ExecuteSqlCommandAsTable(Query, out MyDataTable))
{
Console.WriteLine("Error Occured!");
Console.ReadLine();
return;
}
//do actions with your DataTable
}
}
public class DbAdapter
{
//keeps connection info
public DbConfigInfo DbConfig { get; set; }
public bool ExecuteSqlCommandAsTable(string CmdText, out DataTable ResultTable)
{
ResultTable = null;
try
{
using (SqlConnection Conn = new SqlConnection(DbConfig.GetConnectionStringForMssql2008()))
{
SqlCommand Cmd = new SqlCommand(CmdText, Conn);
Conn.Open();
SqlDataReader Reader = Cmd.ExecuteReader();
DataTable ReturnValue = new DataTable();
ReturnValue.Load(Reader);
ResultTable = ReturnValue;
return true;
}
}
catch (Exception e)
{
return false;
}
}
}
public class DbConfigInfo
{
public string ServerAddress { get; set; } //address of server - IP address or local name
public string DbName { get; set; } //name of database - if you want create new database in query, set this to master
public string User { get; set; } //user name - only if winauth is off
public string Password { get; set; } //user password - only if winauth is off
public bool TrustedConnection { get; set; } //if integrated windows authenticating under currently logged win user should be used
//creates conn string from data
public string GetConnectionStringForMssql2008()
{
StringBuilder ConStringBuilder = new StringBuilder();
ConStringBuilder.AppendFormat("Data Source={0};", ServerAddress)
.AppendFormat("Initial Catalog={0};", DbName);
if (TrustedConnection)
{
ConStringBuilder.Append("Trusted_Connection=True;");
}
else
{
ConStringBuilder.AppendFormat("User Id={0};", User)
.AppendFormat("Password={0};", Password));
}
return ConStringBuilder.ToString();
}
}