web-dev-qa-db-ja.com

MVC3-バイト配列をコントローラーにポストする-DatabaseRowVersion

私はMVC3アプリケーションに取り組んでいます。クライアント側のViewModelには、byte []であるSQLServerRowVersionプロパティが含まれています。クライアント側でオブジェクト配列としてレンダリングされます。ビューモデルをコントローラーに投稿しようとすると、RowVersionプロパティは常にnullになります。

Controllerシリアライザー(JsonValueProviderFactory)がObject配列プロパティを無視していると想定しています。

私はこのブログを見ましたが、フォームのマークアップではなくJSONを投稿しているため、これは当てはまりません: http://thedatafarm.com/blog/data-access/round-tripping-a-timestamp-field -with-ef4-1-code-first-and-mvc-3 /

私のビューは私のビューモデルを次のようにレンダリングします:

<script type="text/javascript">
  var viewModel = @Html.Raw( Json.Encode( this.Model ) );
</script>

次に、viewModelを次のようにコントローラーに投稿します。

    var data = {
        'contact': viewModel
    };

    $.ajax({
        type: 'POST',
        url: '/Contact/Save',
        contentType: "application/json; charset=utf-8",
        data: JSON.stringify(data),
        dataType: 'json',
        success: function (data) {
            // Success
        },
        error: function (XMLHttpRequest, textStatus, errorThrown) {
            alert(XMLHttpRequest.responseText);
        }
    });

これがコントローラーでの私のアクションです:

  [HttpPost]
  public JsonResult Save(Contact contact) {
     return this.Json( this._contactService.Save( contact ) );
  }

UPDATE:ダリンの答えに基づいています。

よりクリーンなソリューションを望んでいましたが、Darinが唯一の答えを提供したので、byte [] "row_version"プロパティをBase64文字列にシリアル化するカスタムプロパティを追加する必要があります。また、Base64文字列が新しいカスタムプロパティに設定されると、文字列がbyte []に​​変換されます。以下は、モデルに追加したカスタムの「RowVersion」プロパティです。

  public byte[] row_version {
     get;
     set;
  }

  public string RowVersion {
     get {

        if( this.row_version != null )
           return Convert.ToBase64String( this.row_version );

        return string.Empty;
     }
     set {

        if( string.IsNullOrEmpty( value ) )
           this.row_version = null;
        else
           this.row_version = Convert.FromBase64String( value );
     }
  }
26
Garry English

クライアント側のViewModelには、byte []であるSQLServerRowVersionプロパティが含まれています。

ビューモデルにbyte[]の代わりにstringプロパティが含まれるようにします。これは base64 このbyte[]の表現です。そうすれば、それをクライアントにラウンドトリップしてサーバーに戻すのに問題はなく、Base64文字列から元のbyte[]を取得できます。

37
Darin Dimitrov

Json.NET バイト配列をBase64として自動的にエンコードします。

JsonNetResultの代わりにJsonResultを使用できます。

から https://Gist.github.com/DavidDeSloovere/5689824

using System;
using System.Web;
using System.Web.Mvc;
using Newtonsoft.Json;
using Newtonsoft.Json.Serialization;

public class JsonNetResult : JsonResult
{
    public override void ExecuteResult(ControllerContext context)
    {
        if (context == null)
        {
            throw new ArgumentNullException("context");
        }

        var response = context.HttpContext.Response;

        response.ContentType = !string.IsNullOrEmpty(this.ContentType) ? this.ContentType : "application/json";

        if (this.ContentEncoding != null)
        {
            response.ContentEncoding = this.ContentEncoding;
        }

        if (this.Data == null)
        {
            return;
        }

        var jsonSerializerSettings = new JsonSerializerSettings();
        jsonSerializerSettings.DateFormatHandling = DateFormatHandling.IsoDateFormat;
        jsonSerializerSettings.ContractResolver = new CamelCasePropertyNamesContractResolver();
        var formatting = HttpContext.Current != null && HttpContext.Current.IsDebuggingEnabled ? Formatting.Indented : Formatting.None;
        var serializedObject = JsonConvert.SerializeObject(Data, formatting, jsonSerializerSettings);
        response.Write(serializedObject);
    }
}

使用法:

[HttpPost]
public JsonResult Save(Contact contact) {
    return new JsonNetResult { Data = _contactService.Save(contact) };
}
1
Geir Sagberg