如何解决“ DataSet不支持System.Nullable <>。”?

时间:2018-10-25 06:48:16

标签: asp.net asp.net-mvc entity-framework

我的目标是使用Crystal Report和实体框架将数据导出到pdf文件,但是不幸的是,当我尝试运行代码时,我一直收到此错误消息。

  

'System.NotSupportedException:'数据集不支持System.Nullable <>。'

任何人都可以帮我吗?

这是我到目前为止在控制器方面所做的尝试

using System.Data.Entity;
using System.IO;
using Final_INF271.Reports;
using CrystalDecisions.CrystalReports.Engine;

public ActionResult Export()
{
    ReportDocument rd = new ReportDocument();
    rd.Load(Path.Combine(Server.MapPath("~/Reports/OutstandingOrders.rpt")));
    rd.SetDataSource(db.ProductOrder.Select(p => new
    {
        p.OrderID,
        p.Date,
        p.SupplierID,
        p.CostPrice,
        p.Quantity
    }).ToList());
    Response.Buffer = false;
    Response.ClearContent();
    Response.ClearHeaders();
    Stream stream = rd.ExportToStream
        (CrystalDecisions.Shared.ExportFormatType.PortableDocFormat);
    stream.Seek(0, SeekOrigin.Begin);
    return File(stream, "application/pdf", "OutstandingOrders");
}

包括的是我的ProductOrder

namespace Final_INF271.Models
{
    using System;
    using System.Collections.Generic;

    public partial class ProductOrder
    {
        public int OrderID { get; set; }
        public Nullable<System.DateTime> Date { get; set; }
        public Nullable<int> EmployeeID { get; set; }
        public Nullable<int> SupplierID { get; set; }
        public int ProductTypeID { get; set; }
        public Nullable<decimal> CostPrice { get; set; }
        public Nullable<int> Quantity { get; set; }

        public virtual Employee Employee { get; set; }
        public virtual ProductType ProductType { get; set; }
        public virtual Supplier Supplier { get; set; }
    }
}

下面是数据集和错误消息的图片

enter image description here

1 个答案:

答案 0 :(得分:1)

Crystal Reports的SetDataSource()方法创建由DataColumn列表提供的ProductOrder,然后尝试构建具有可空类型(不支持)的DataColumn实例。 / p>

您应该创建一个视图模型类,该类的属性具有相同的基本类型,但不存在可为空的类型,然后使用该类作为数据源来投影结果:

// Viewmodel
public class ProductOrderVM
{
    public int OrderID { get; set; }
    public DateTime Date { get; set; }
    public int SupplierID { get; set; }
    public decimal CostPrice { get; set; }
    public int Quantity { get; set; }
}

// Controller action
rd.SetDataSource(db.ProductOrder.Select(p => new ProductOrderVM
{
    OrderID = p.OrderID,
    Date = p.Date.GetValueOrDefault(),
    SupplierID = p.SupplierID.GetValueOrDefault(),
    CostPrice = p.CostPrice.GetValueOrDefault(),
    Quantity = p.Quantity.GetValueOrDefault()
}).ToList());

或者如果可为空的属性具有空值,则使用空合并/三元运算符根据其基本类型分配默认值:

rd.SetDataSource(db.ProductOrder.Select(p => new
{
    OrderID = p.OrderID,

    // with ternary operator
    Date = p.Date == null ? DateTime.MinValue : p.Date, // or DateTime.Now as default value

    // with null-coalescing operator
    SupplierID = p.SupplierID ?? 0,
    CostPrice = p.CostPrice ?? 0,
    Quantity = p.Quantity ?? 0
}).ToList());