我有这个问题。我已经在很多网站上搜索了此问题,但所有这些网站都建议关闭所有连接,或者仅对连接和dataReader使用“使用”。但!我的问题在于无法打开第一个连接!我在连接附近设置了一个断点,然后看到没有其他连接,因此有第一个连接。当我重新创建从静态到Singleton的开放连接的类时,此问题出现了,这是代码:
public class Storage
{
private static Storage instance;
public static Storage Instance
{
get
{
if (instance == null)
{
instance = new Storage();
}
return instance;
}
}
private Storage()
{
Manager man = new Manager();
products = man.LoadProducts();
components = man.LoadComponents();
man.LoadProductComponents();
}
public Dictionary<int, Product> Products
{
get { return products; }
set { products = value; }
}
public Dictionary<int, Component> Components
{
get { return components; }
set { components = value; }
}
private Dictionary<int, Product> products;
private Dictionary<int, Component> components;
}
这是一个Manager构造函数
public Manager()
{
connection = new SqlConnection(@"Persist Security Info=False;User ID=user;Password=pass;Initial Catalog=Products;Server=(local)");
if (connection.State != ConnectionState.Open) connection.Open();
}
发生异常时,连接为
Closed
。有人有想法吗?更新:
如果我关闭池-我在同一行上有
"System.StackOverflowException" in System.Data.dll
。 最佳答案
您的Manager
类创建并打开一个连接:
public Manager()
{
connection = new SqlConnection(@"Persist Security Info=False;User ID=user;Password=pass;Initial Catalog=Products;Server=(local)");
if (connection.State != ConnectionState.Open) connection.Open();
}
但是,如果我们看看您的使用方式,那么很明显没有任何东西可以关闭此连接:
private Storage()
{
Manager man = new Manager();
products = man.LoadProducts();
components = man.LoadComponents();
man.LoadProductComponents();
}
我希望
Manager
实现IDisposable
,并使Dispose()
方法关闭并释放连接:class Manager : IDisposable
{
...
public void Dispose()
{
if(connection != null) connection.Dispose();
connection = null;
}
}
然后可以通过
using
使用:private Storage()
{
using(Manager man = new Manager())
{
products = man.LoadProducts();
components = man.LoadComponents();
man.LoadProductComponents();
}
}
我担心的是,您的经理只是一个更广泛的问题的一个例子:您自己之后不清理连接。当
Manager
是静态的时,这可能是非常不可见的,但是当切换到Manager
实例时,很容易将多个Manager
对象旋转起来。每个连接都会连接直到GC。关于c# - 超时时间已到。获得连接之前经过的超时时间第一个连接,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/15083740/