在试图解决:
Linq .Contains with large set 导致 TDS 错误
我想我偶然发现了一个解决方案,我想看看它是否是解决问题的一种犹太方式。
(简短摘要)我想针对不是(完全或至少很容易)在 SQL 中生成的记录 ID 列表进行 linq-join。这是一个很大的列表,并且经常超过 TDS RPC 调用的 2100 项限制。所以我在 SQL 中所做的就是把它们扔到一个临时表中,然后在我需要它们的时候加入它。
所以我在 Linq 中做了同样的事情。
在我的 MyDB.dbml 文件中,我添加了:
<Table Name="#temptab" Member="TempTabs">
<Type Name="TempTab">
<Column Name="recno" Type="System.Int32" DbType="Int NOT NULL"
IsPrimaryKey="true" CanBeNull="false" />
</Type>
</Table>
打开设计器并关闭它,在那里添加了必要的条目,但为了完整起见,我将引用 MyDB.desginer.cs 文件:
[Table(Name="#temptab")]
public partial class TempTab : INotifyPropertyChanging, INotifyPropertyChanged
{
private static PropertyChangingEventArgs emptyChangingEventArgs = new PropertyChangingEventArgs(String.Empty);
private int _recno;
#region Extensibility Method Definitions
partial void OnLoaded();
partial void OnValidate(System.Data.Linq.ChangeAction action);
partial void OnCreated();
partial void OnrecnoChanging(int value);
partial void OnrecnoChanged();
#endregion
public TempTab()
{
OnCreated();
}
[Column(Storage="_recno", DbType="Int NOT NULL", IsPrimaryKey=true)]
public int recno
{
get
{
return this._recno;
}
set
{
if ((this._recno != value))
{
this.OnrecnoChanging(value);
this.SendPropertyChanging();
this._recno = value;
this.SendPropertyChanged("recno");
this.OnrecnoChanged();
}
}
}
public event PropertyChangingEventHandler PropertyChanging;
public event PropertyChangedEventHandler PropertyChanged;
protected virtual void SendPropertyChanging()
{
if ((this.PropertyChanging != null))
{
this.PropertyChanging(this, emptyChangingEventArgs);
}
}
protected virtual void SendPropertyChanged(String propertyName)
{
if ((this.PropertyChanged != null))
{
this.PropertyChanged(this, new PropertyChangedEventArgs(propertyName));
}
}
}
然后它就变成了在代码中处理一些事情的问题。我通常有的地方:
MyDBDataContext mydb = new MyDBDataContext();
我必须让它与普通的 SqlConnection 共享它的连接,以便我可以使用该连接来创建临时表。在那之后,它似乎非常有用。
string connstring = "Data Source.... etc..";
SqlConnection conn = new SqlConnection(connstring);
conn.Open();
SqlCommand cmd = new SqlCommand("create table #temptab " +
"(recno int primary key not null)", conn);
cmd.ExecuteNonQuery();
MyDBDataContext mydb = new MyDBDataContext(conn);
// Now insert some records (1 shown for example)
TempTab tt = new TempTab();
tt.recno = 1;
mydb.TempTabs.InsertOnSubmit(tt);
mydb.SubmitChanges();
并使用它:
// Through normal SqlCommands, etc...
cmd = new SqlCommand("select top 1 * from #temptab", conn);
Object o = cmd.ExecuteScalar();
// Or through Linq
var t = from tx in mydb.TempTabs
from v in mydb.v_BigTables
where tx.recno == v.recno
select tx;
有没有人认为这种方法存在问题,作为在 Linq 的连接中使用临时表的通用解决方案?
它很好地解决了我的问题,因为现在我可以在 Linq 中直接加入,而不必使用 .Contains()。
后记:我遇到的一个问题是在桌子上混合 Linq 和常规 SqlCommands(其中一个是读/写,另一个也是)可能是危险的。总是使用 SqlCommands 在表上插入,然后 Linq 命令读取它工作正常。显然,Linq 缓存了结果——可能有办法绕过它,但并不明显。