在列表中添加列表
本文关键字:列表 添加 | 更新日期: 2023-09-27 18:11:42
我有一个类SellStatement
public class SellStatement
{
public long billNo
public DateTime paymentDate;
public List<string> ProductName;
public List<double> quantity;
public List<double> ratePerQuantity;
}
当我试图访问函数GetSaleDetails
public Exception GetSaleDetails(List<SellStatement> lss1,string query)
{
try
{
for (int i = 0; i < lss1.ToArray().Length; i++)
{
query = "select * from [product details] where [bill no]=@billno";
com = new SqlCeCommand(query, con);
con.Open();
com.Parameters.AddWithValue("@billno",lss1[i].billNo);
sdr = com.ExecuteReader();
while (sdr.Read())
{
lss1[i].ProductName.Add(sdr.GetString(1));//Exception line
lss1[i].quantity.Add(sdr.GetDouble(2));
lss1[i].ratePerQuantity.Add(sdr.GetDouble(3));
}
}
con.Close();
return null;
}
catch (Exception e)
{
con.Close();
return e;
}
}
Null Reference Exception出现在lss1[i].ProductName.Add(sdr.GetString(1));
。我认为错误可能是因为在sdr.GetString(1)
的空值,但我检查了它有一些值。我的朋友告诉我,你不能像这样改变函数参数值,所以我试着复制一个列表到另一个像这样。
List<SellStatement> lss1 = new List<SellStatement>() ;
lss1.AddRange(lss);
但这对我没有帮助。
如果您在问题中向我们展示了完整的SellStatement
类,那么原因很清楚:
您从未初始化ProductName
、quantity
和ratePerQuantity
。它们是null
,这正是异常告诉你的。
要解决这个问题,请将您的类更改为:
public class SellStatement
{
public long billNo
public DateTime paymentDate;
public List<string> ProductName = new List<string>();
public List<double> quantity = new List<double>();
public List<double> ratePerQuantity = new List<double>();
}
请注意,这违背了一般的c#设计准则,即不应该有公共字段。考虑像这样重新设计你的类:
public class SellStatement
{
List<string> _productName = new List<string>();
List<double> _quantity = new List<double>();
List<double> _ratePerQuantity = new List<double>();
public long billNo {get; set;}
public DateTime paymentDate {get; set;}
public List<string> ProductName { get { return _productName; } }
public List<double> quantity { get { return _quantity; } }
public List<double> ratePerQuantity { get { return _ratePerQuantity; } }
}