我遇到LINQ问题的问题我已经解决了,但我想确保我已经以正确的方式解决了问题。
我有2个班级:
namespace ShopTest.Models
{
public class Shop
{
public int ShopID { get; set; }
public string Name { get; set; }
public string Address1 { get; set; }
public string Address2 { get; set; }
public string City { get; set; }
public string State { get; set; }
public string Postcode { get; set; }
public string Country { get; set; }
public decimal Latitude { get; set; }
public decimal Longitude{ get; set; }
}
[NotMapped]
public class ShopLocation : Shop
{
public decimal AddressLatitude { get; set; }
public decimal AddressLongitude { get; set; }
public decimal DistanceFromAddress
{
get
{
return Convert.ToDecimal(
Math.Sqrt(
Math.Pow(Convert.ToDouble(this.Latitude - this.AddressLatitude), 2.0)
+
Math.Pow(Convert.ToDouble(this.Longitude- this.AddressLongitude), 2.0)
)
* 62.1371192
);
}
}
}
}
在LINQ中查询时,我最初尝试过:
decimal lat = Convert.ToDecimal(-33.8736510, NumberFormatInfo.InvariantInfo);
decimal lng = Convert.ToDecimal(151.2068896, NumberFormatInfo.InvariantInfo);
var nearbyShops = from c in db.Shops
where Math.Abs(c.lat - lat) < 0.25M &&
Math.Abs(c.lng - lng) < 0.25M
select new NearbyShopLocation()
{
StoreNumber = store.StoreNumber,
Address = store.Address,
City = store.City,
Region = store.Region,
CountryCode = store.CountryCode,
PostalCode = store.PostalCode,
Latitude = store.Latitude,
Longitude = store.Longitude,
AddressLatitude = lat,
AddressLongitude = lng
};
var nearbySortedShops = nearbyShops.ToList().OrderBy(s => s.DistanceFromAddress).ToList();
但是我不断收到错误“无法在LINQ to Entities查询中构造实体或复杂类型'ShopTest.Controllers.Shops'”
我已经用下面的代码修复了这个问题,但是为什么这样做会没有意义 - 对MVC不熟悉我希望有人可以解释它。 : - )
var nearbyShops = (from c in db.Shops
where Math.Abs(c.lat - lat) < 0.25M &&
Math.Abs(c.lng - lng) < 0.25M
select new
{
StoreNumber = c.StoreNumber,
Address = c.Address,
City = c.City,
Country = c.Country,
PostalCode = c.PostalCode,
Latitude = c.Latitude,
Longitude = c.Longitude,
}).ToList().Select(l => new ShopLocation
{
Name = l.Name,
City = l.City,
State = l.State,
Country = l.Country,
Lat = l.Lat,
Lng = l.Lng,
AddressLatitude = lat,
AddressLongitude = lng
}).ToList().OrderBy(s => s.DistanceFromAddress).ToList();
我是否正确完成了这项工作?还有更好的方法吗?
答案 0 :(得分:1)
EF有限制,您无法在查询中手动构建映射实体。这意味着你不能这样做:
var shops = from s in db.Shops where ... select new Shop { ... };
这也涉及衍生实体。因此,您首先必须调用ToList切换到Linq-to-Objects:
var shopse = db.Shops.Where(...).ToList().Select(s => new Shop { ... });
一般情况下你应该可以:
var nearbyShops =
(from c in db.Shops
where Math.Abs(c.lat - lat) < 0.25M &&
Math.Abs(c.lng - lng) < 0.25M
select c).ToList()
.Select(l => new ShopLocation
{
Name = l.Name,
City = l.City,
State = l.State,
Country = l.Country,
Lat = l.Lat,
Lng = l.Lng,
AddressLatitude = lat,
AddressLongitude = lng
}).OrderBy(s => s.DistanceFromAddress).ToList();