我正在使用dynamic
类型的集合。我已将double值存储在集合中。对于某些记录,我不会将数据存储到它。现在我需要将此类型设为nullable
double来执行某些操作。有没有办法在使用nullable
对象时将数据属性类型设置为Expando
?
ObservableCollection<dynamic> dynamicItems = new ObservableCollection<dynamic>();
for (int j = 1; j <= 4; j++)
{
dynamic data = new ExpandoObject();
if (j == 2)
{
// not store the value when j is 2.
}
else
{
data.colValues = 12.2 * j;
}
dynamicItems.Add(data);
}
答案 0 :(得分:3)
您可以尝试投射到Double?
,然后检查colValues == null
:
...
if (j == 2)
{
// not store the value when j is 2.
data.colValues = new Nullable<Double>(); // or (Double?) null;
}
else
{
data.colValues = (Double?) (12.2 * j);
}
...
// if colValues exists
if (null != data.colValues) {
Double v = data.colValues;
...
}
另一种方法是什么都不做,然后检查字段(即colValues
)是否存在,但是,恕我直言,这不是好实施:
if (j == 2)
{
// not store the value when j is 2. - literally do nothing
}
else
{
data.colValues = 12.2 * j;
}
...
// if colValues exists
if ((data as IDictionary<String, Object>).ContainsKey("colValues")) {
Double v = data.colValues; // or var v = data.colValues;
...
}