8

I am expecting a POST request with content type set to:

Content-Type: application/x-www-form-urlencoded

Request body looks like this:

first_name=john&last_name=banana

My action on controller has this signature:

[HttpPost]
public HttpResponseMessage Save(Actor actor)
{
    ....
}

Where Actor class is given as:

public class Actor
{
public string FirstName {get;set;}
public string LastName {get;set;}
}

Is there a way to force Web API to bind:

first_name => FirstName
last_name => LastName

I know how to do it with requests with content type set to application/json, but not with urlencoded.

Admir Tuzović
  • 10,787
  • 7
  • 33
  • 70

2 Answers2

3

I'm 98% certain (I looked the source code) that WebAPI doesn't support it.

If you really need to support different property names, you can either:

  1. Add additional properties to the Actor class which serves as alias.

  2. Create your own model binder.

Here is a simple model binder:

public sealed class ActorDtoModelBinder : IModelBinder
{
    public bool BindModel(HttpActionContext actionContext, ModelBindingContext bindingContext)
    {
        var actor = new Actor();

        var firstNameValueResult = bindingContext.ValueProvider.GetValue(CreateFullPropertyName(bindingContext, "First_Name"));
        if(firstNameValueResult != null) {
            actor.FirstName = firstNameValueResult.AttemptedValue;
        }

        var lastNameValueResult = bindingContext.ValueProvider.GetValue(CreateFullPropertyName(bindingContext, "Last_Name"));
        if(lastNameValueResult != null) {
            actor.LastName = lastNameValueResult.AttemptedValue;
        }

        bindingContext.Model = actor;

        bindingContext.ValidationNode.ValidateAllProperties = true;

        return true;
    }

    private string CreateFullPropertyName(ModelBindingContext bindingContext, string propertyName)
    {
        if(string.IsNullOrEmpty(bindingContext.ModelName))
        {
            return propertyName;
        }
        return bindingContext.ModelName + "." + propertyName;
    }
}

If you are up for the challenge, you can try to create a generic model binder.

LostInComputer
  • 14,756
  • 4
  • 39
  • 48
0

It's an old post but maybe this could helps other people. Here is a solution with an AliasAttribute and the associated ModelBinder

It could be used like this :

[ModelBinder(typeof(AliasBinder))]
public class MyModel
{
    [Alias("state")]
    public string Status { get; set; }
}

Don't hesitate to comment my code :)

Every Idea / comment is welcome.

Community
  • 1
  • 1
Toine Seiter
  • 427
  • 4
  • 20
  • Are you sure this works for web api model binding.I think this is specific to MVC. Pls correct me if I am wrong as I am need for a solution to this problem but dont think this solution can work for web api – Jags Feb 11 '18 at 10:03