为什么我的WCF服务不使用我的实体模型?

时间:2011-08-23 12:55:38

标签: c# wcf entity-framework entity-model

我遇到了一起使用WCF服务和实体模型的问题。我从现有数据库中创建了一个实体模型。这可以在下面显示;

enter image description here

在“实体对象代码生成器”的任何控制台应用程序中使用我的类时没有任何问题。

然后,我使用以下接口创建了WCF服务:

    [ServiceContract]
public interface IAuthorServices
{
    [OperationContract]
    [WebGet( UriTemplate="GetNews")]
    List<Newspaper> GetNews();

    [OperationContract]
    [WebGet(BodyStyle = WebMessageBodyStyle.Bare, RequestFormat = WebMessageFormat.Json, ResponseFormat = WebMessageFormat.Json, UriTemplate = "GetAuthors")]
    List<Author> GetAuthors();

    [OperationContract]
    [WebGet(BodyStyle = WebMessageBodyStyle.Bare, RequestFormat = WebMessageFormat.Json, ResponseFormat = WebMessageFormat.Json, UriTemplate = "GetAuthorTexts")]
    List<AuthorText> GetAuthorTexts();

    [OperationContract]
    [WebGet(BodyStyle = WebMessageBodyStyle.Bare, RequestFormat = WebMessageFormat.Json, ResponseFormat = WebMessageFormat.Json, UriTemplate = "GetTodaysTexts")]
    List<AuthorText> GetTodaysTexts();

    [OperationContract]
    [WebGet(BodyStyle = WebMessageBodyStyle.Bare, RequestFormat = WebMessageFormat.Json, ResponseFormat = WebMessageFormat.Json, UriTemplate = "GetExceptions")]
    List<KoseYazilari.Exception> GetExceptions();

}

然而,当我在服务类中实现这些方法并运行我的客户端应用程序时,我收到了类似

的错误

enter image description here

我该怎样摆脱这个问题?

此致 KEMAL

1 个答案:

答案 0 :(得分:4)

您的实体是否标有DataContract属性?你确定它们是可序列化的吗?

编辑:通过查看您的代码,您似乎直接使用了您的实体。这不是一个好习惯,因为(即使你的代码工作正常)我认为你不需要额外的属性,比如Entity Framework自动生成的属性。

在这种情况下,您应该考虑使用DTO(数据传输对象),这是Newspaper类的示例:

[DataContract]
public class NewspaperDTO
{
    public NewspaperDTO(Newspaper newspaper)
    {
        this.Name = newspaper.Name;
        this.Image = newspaper.Image;
        this.Link = newspaper.Link;
        this.Encoding = newspaper.Encoding;
    }

    [DataMember]
    public string Name { get; set; }

    [DataMember]
    public string Image { get; set; }

    [DataMember]
    public string Link { get; set; }

    [DataMember]
    public string Encoding { get; set; }
}

然后在你的服务中:

public List<NewspaperDTO> GetNews()
{
    return entities.Newspapers.Select(a => new NewspaperDTO(a)).ToList();
}

P上。 S.我注意到你的实体没有处理(我的意思是在WCF服务内部)。您应该考虑在服务的每个方法中使用这样的模式:

public List<NewspaperDTO> GetNews()
{
    using (var entities = new MyEntities())
    {
        return entities.Newspapers.Select(a => new NewspaperDTO(a)).ToList();
    }
}