如何 return 一个带有集合的对象,而不仅仅是来自 Web API 的集合?

How to return an object with a collection instead of just the collection from a Web API?

目前,在我的控制器的服务方法 GetSubAccounts(accountId) 中,我有这个:

Account account = await context.Accounts.SingleOrDefaultAsync(x => x.Id == accountId);
IQueryable<Account> subAccounts = context.Accounts.Include(x => x.AccountCodes).AsNoTracking();

return await mapper.ProjectTo<SubAccountViewModel>(subAccounts, null, x => x.SubAccounts)
    .Where(x => x.PersonId == account.PersonId && x.AccountId != null).ToListAsync();

我的SubAccountViewModel如下:(注意它有自己的集合)

public class SubAccountViewModel : Base.AccountViewModel
{
    public virtual ICollection<AccountCodeViewModel> AccountCodes { get; set; }

    public virtual ICollection<SubAccountViewModel> SubAccounts { get; set; }
}

我的映射配置文件是:

internal class SubAccountMappingProfile : Profile
{
    public SubAccountMappingProfile()
    {
        CreateMap<Account, SubAccountViewModel>()
            .ForMember(x => x.AccountCodes, options => options.ExplicitExpansion())
            .ForMember(x => x.SubAccounts, options => options.ExplicitExpansion())
            .ReverseMap();
    }
}

这是 JSON 我得到的结果:

[
    {
        "id":"c236718f-9d91-4eea-91ee-66760a716343",
        "personId":"06d3857d-6a49-4e1c-b63c-7edc83d30cbd",
        "accountId":null,
        "username":"test same person",
        "email":"testsameperson@gmail.com",
        "birthDate":"2021-01-02",
        "subaccounts":null
    }
]

问题:

我正在为传递给该方法的 accountId 参数获取顶级子帐户数组。美好的。 (只有一个,但没关系。)

想要的是顶层的主账户,子账户数组是其中的一部分。

{
    "id":"f61fedc2-eb60-4ba9-9d17-8d41b9cae9f1",
    "personId":"06d3857d-6a49-4e1c-b63c-7edc83d30cbd",
    "accountId":"f61fedc2-eb60-4ba9-9d17-8d41b9cae9f1",
    "username":"test person",
    "email":"testperson@gmail.com",
    "birthDate":"2021-01-01",
    "subaccounts":[
        {
            "id":"c236718f-9d91-4eea-91ee-66760a716343",
            "personId":"06d3857d-6a49-4e1c-b63c-7edc83d30cbd",
            "accountId":"f61fedc2-eb60-4ba9-9d17-8d41b9cae9f1",
            "username":"test same person",
            "email":"testsameperson@gmail.com",
            "birthDate":"2021-01-02",
            "subaccounts":null
        }
    ]
}

我该怎么做?

问题是逻辑问题。

首先,我的服务方法(和我的 API 控制器)是 returning Task<IEnumerable<SubAccountViewModel>>,而它应该 return Task<SubAccountViewModel>

然后我的解决方案是:

Account account = await context.Accounts.SingleOrDefaultAsync(x => x.Id == accountId);
            
IQueryable<Account> accounts = context.Accounts.AsNoTracking();

SubAccountViewModel subAccountViewModel = await mapper.ProjectTo<SubAccountViewModel>(accounts, null, x => x.AccountCodes)
.SingleOrDefaultAsync(x => x.Id == accountId);

subAccountViewModel.SubAccounts = await mapper.ProjectTo<SubAccountViewModel>(accounts, null, x => x.AccountCodes, x => x.SubAccounts)
    .Where(x => x.PersonId == account.PersonId && x.AccountId != null).ToListAsync();

return subAccountViewModel;

这return是我想要的结果集。