插入方法工作但GET方法没有

问题描述 投票:0回答:2

我正在使用WCF对Northwind数据库进行CRUD操作。

首先我创建了POST方法,当我使用WCF测试客户端尝试它时,但是get方法显示此错误:

无法调用该服务。可能的原因:服务离线或无法访问;客户端配置与代理不匹配;现有代理无效。有关更多详细信息,请参阅堆栈跟踪。您可以尝试通过启动新代理,还原到默认配置或刷新服务来进行恢复。

我不知道是否要让我的ViewModel具有与Employees类相同的属性,然后迭代它并显示结果?

这是配置文件

<?xml version="1.0" encoding="utf-8"?>
<configuration>
    <system.serviceModel>
        <bindings>
            <basicHttpBinding>
                <binding name="BasicHttpBinding_IService1" sendTimeout="00:05:00" />
            </basicHttpBinding>
        </bindings>
        <client>
            <endpoint address="http://localhost:55658/Service1.svc" binding="basicHttpBinding"
                bindingConfiguration="BasicHttpBinding_IService1" contract="IService1"
                name="BasicHttpBinding_IService1" />
        </client>
    </system.serviceModel>
</configuration>

这里是get方法:

 public IEnumerable<Employee> GetEmployees()
        {
            List<Employee> list = new List<Employee>();
            NorthwindContext db = new NorthwindContext();
            list = db.Employees.ToList();
            return list;
        }

这是服务:

 [ServiceContract]
    public interface IService1
    {
        [OperationContract]
        IEnumerable<Employee> GetEmployees();
        [OperationContract]
        void InsertEmployee(Employee e);
        [OperationContract]
        void UpdateEmployee(Employee e);
        [OperationContract]
        void DeleteEmployee(int id);
    }

UPDATE

好吧,我解决了它,问题是Employee类有外键,并且该客户端无法“读取”它并且它显示错误,因为他不知道如何读取该属性。

我所做的只是我创建了EmployeeView类并插入了我要显示的属性。

Get方法现在看起来像这样

public IEnumerable<EmployeeView> GetEmployees()
        {
            NorthwindContext db = new NorthwindContext();
            IQueryable<EmployeeView> list = db.Employees.Select(e => new EmployeeView
            {
                EmployeeID = e.EmployeeID,
                FirstName = e.FirstName,
                LastName = e.LastName
            });

            return list;
        }
c# .net wcf
2个回答
1
投票

如果员工有外键到另一个表将有解析错误。您需要为员工类创建另一个模型dto

模型:

public int EmployeeId {get;set;}
public ICollection<Order> Orders{get;set;} // this causes to parse error. Because this object have ICollection<Employee> and this causes infinite loop

modeldto:

public int EmployeeId {get;set;}

或者如果你想发送订单,你可以创建另一个dto


0
投票

WCF通过属性公开所谓的契约,将以下属性添加到Get方法以使其对服务可见

[OperationContract的]

您可以查看https://docs.microsoft.com/en-us/dotnet/api/system.servicemodel.operationcontractattribute?view=netframework-4.7.2以了解更多相关信息。

它的要点就是这个

指示方法定义作为Windows Communication Foundation(WCF)应用程序中的服务协定的一部分的操作。

 [OperationContract]
public IEnumerable<Employee> GetEmployees()
        {
            List<Employee> list = new List<Employee>();
            NorthwindContext db = new NorthwindContext();
            list = db.Employees.ToList();
            return list;
        }

然后下一步是浏览到服务并检查它在浏览器中显示的内容(在VS中简单运行服务就足够了)或者,如果服务已经托管,那么您可以从浏览器浏览它。

一个更好的服务测试是使用WCF测试客户端,如果你已经安装了visual studio,这应该是默认的。

© www.soinside.com 2019 - 2024. All rights reserved.