以下の手順に従って、Entity Framework 6データモデルにスカラー関数を追加しました。 エンティティへのlinqでスカラー値関数を使用する方法
ただし、DataContextで直接メソッドを呼び出すことはできますが、LINQクエリ内で関数を呼び出すことはできません。
using (Entities context = new Entities()) {
// This works.
var Test1 = context.fn_GetRatingValue(8, 9, 0).FirstOrDefault();
// This doesn't work.
var Test2 = (from r in context.MediaRatings
select context.fn_GetRatingValue(r.Height, r.Depth, 0)).ToList();
}
2番目のクエリはこのエラーをスローします。
LINQ to Entities does not recognize the method 'System.Data.Entity.Core.Objects.ObjectResult`1[System.Nullable`1[System.Single]] fn_GetRatingValue(System.Nullable`1[System.Single], System.Nullable`1[System.Single], System.Nullable`1[System.Single])' method, and this method cannot be translated into a store expression.
また、デザイナーは私にこの警告を与えています
Error 6046: Unable to generate function import return type of the store function 'fn_GetRatingValue'. The store function will be ignored and the function import will not be generated.
何が悪いのですか? LINQクエリ内でデータベース関数を呼び出すにはどうすればよいですか?
また、クエリコードがデータベースに対して実行され、メモリ内に実行される場合、両方のケースで機能するように関数を呼び出す方法はありますか?同じ関数のC#バージョンがあります。
ありがとう
編集:これは私が使用しようとしている関数です。
public float? GetValue(float? Height, float? Depth, float ratio) {
if (Height != null || Depth != null) {
float HeightCalc = Height ?? Depth.Value;
float DepthCalc = Depth ?? Height.Value;
if (ratio < 0)
DepthCalc = DepthCalc + (HeightCalc - DepthCalc) * -ratio;
else if (ratio > 0)
HeightCalc = HeightCalc + (DepthCalc - HeightCalc) * ratio;
return (float)Math.Round(HeightCalc * DepthCalc * .12, 1);
} else
return null;
}
このように一行で書くこともできます。この行は、使用する必要のあるすべての場所にコピー/貼り付けできますが、機能する可能性はありますが、非常に醜いコードが生成されます。関数として保持したい。
return (float)Math.Round(
(Height.HasValue ? Height.Value + (ratio > 0 ? ((Depth ?? Height.Value) - Height.Value) * ratio : 0) : Depth.Value) *
(Depth.HasValue ? Depth.Value + (ratio < 0 ? ((Height ?? Depth.Value) - Depth.Value) * -ratio : 0) : Height.Value)
* .12, 1);
答えを見つけました。 EdmFunctionAttributeが廃止されたEntity Framework 6に関するドキュメントはほとんど見つかりませんでしたが、このコードを機能させました。
EDMXファイルでは、IsComposableがTrueで、CommandTextが削除されている必要があります。関数をインポートせずに関数宣言のみが必要です。
次に、私のデータコンテキストの部分クラスで、この関数を作成しました
[DbFunction("NaturalGroundingVideosModel.Store", "fn_GetRatingValue")]
public float? DbGetValue(float? height, float? depth, float ratio) {
List<ObjectParameter> parameters = new List<ObjectParameter>(3);
parameters.Add(new ObjectParameter("height", height));
parameters.Add(new ObjectParameter("depth", depth));
parameters.Add(new ObjectParameter("ratio", ratio));
var lObjectContext = ((IObjectContextAdapter)this).ObjectContext;
var output = lObjectContext.
CreateQuery<float?>("NaturalGroundingVideosModel.Store.fn_GetRatingValue(@height, @depth, @ratio)", parameters.ToArray())
.Execute(MergeOption.NoTracking)
.FirstOrDefault();
return output;
}
関数をMediaRatingオブジェクトに追加したので、データコンテキストへの参照を必要とせずに呼び出すことができます。
var Test2 = (from r in context.MediaRatings
select r.DbGetValue(r.Height, r.Depth, 0)).ToList();
これでうまくいきます!