8

ストアドプロシージャを介した読み取り専用のデータベース呼び出しにDapperを使用しています。1行または何も返さないクエリがあります。

私はこのようにDapperを使用しています:

using (var conn = new SqlConnection(ConnectionString))
{
    conn.Open();

    return conn.Query<CaseOfficer>("API.GetCaseOfficer", 
        new { Reference = reference }, 
        commandType: CommandType.StoredProcedure).FirstOrDefault();
}

返されるCaseOfficerオブジェクトは次のようになります。

public class CaseOfficer
{
    public string Title { get; set; }
    public string FirstName { get; set; }
    public string LastName { get; set; }
    public string Email { get; set; }
    public string Telephone { get; set; }
}

これは、ASP.NETWebAPIアプリケーションを介してJSONとして返されます。

ストアドプロシージャが結果を返すと、次のようになります。

{
    title: "Mr",
    firstName: "Case",
    lastName: "Officer",
    email: "test@example.com",
    telephone: "01234 567890"
}

しかし、それが何も返さないとき、私は得ます:

{
    title: null,
    firstName: null,
    lastName: null,
    email: null,
    telephone: null
}

Dapperにデフォルト(CaseOfficer)ではなくnullを返すようにするにはどうすればよいですか(404で確認して応答できるように)?

4

2 に答える 2

7

SPが行を返さない場合、dapperは行を返しません。最初に確認すること:SPはおそらく空の行を返しましたか?すべてnullの行?または、0行を返しましたか?

ここで、行が返されないと仮定すると、FirstOrDefault(標準のLINQ-to-Objectsのもの)がのnull場合CaseOfficerは戻り、がの場合はclassデフォルトのインスタンスが返されます。だから次に:チェックは(私はそうなるであろう正当な理由を考えることができない)です。CaseOfficerstructCaseOfficerclassstruct

しかし:dapper withFirstOrDefaultは、通常、すでにあなたが望むことをします。

于 2012-07-30T11:37:36.257 に答える
1

デフォルトのプロパティを設定できます。

例えば:

public class BaseEntity
{
    public BaseEntity()
    {
        if (GetType().IsSubclassOf(typeof(BaseEntity)))
        {
            var properties = GetType().GetProperties(BindingFlags.Public | BindingFlags.Instance);

            foreach (var property in properties)
            {
                // Get only string properties
                if (property.PropertyType != typeof (string))
                {
                    continue;
                }

                if (!property.CanWrite || !property.CanRead)
                {
                    continue;
                }

                if (property.GetGetMethod(false) == null)
                {
                    continue;
                }
                if (property.GetSetMethod(false) == null)
                {
                    continue;
                }

                if (string.IsNullOrEmpty((string) property.GetValue(this, null)))
                {
                    property.SetValue(this, string.Empty, null);
                }
            }
        }
    }
}

public class CaseOfficer : BaseEntity
{
    public string Title { get; set; }
    public string FirstName { get; set; }
    public string LastName { get; set; }
    public string Email { get; set; }
    public string Telephone { get; set; }
}

これで、CaseOfficer は自動プロパティを取得しました

于 2014-06-04T07:46:00.920 に答える