Invalidoperationexception: the model item passed into the viewdatadictionary is of type

Explanation of “InvalidOperationException: The model item passed into the ViewDataDictionary is of type” error

When working with ASP.NET MVC, this error typically occurs when there is a mismatch between the type of model passed to the view and the one expected by the view.

Here’s an example to illustrate the issue:

Assume we have a Controller action that passes a model object of type “User” to a view:

public ActionResult UserDetails()
{
    User user = new User() { Name = "John Doe", Age = 25 };
    return View(user);
}

In the above code, the “User” object is passed to the view.

Now, let’s say that the view is strongly-typed to a different model class, let’s call it “UserProfile”:

@model MyApp.Models.UserProfile

<h1>User Details</h1>
<p>Name: @Model.Name</p>
<p>Age: @Model.Age</p>

In the above code, the view is expecting an object of type “UserProfile”.

So when the UserDetails action is invoked, it renders the view and tries to bind the passed model, which is of type “User”, to the “UserProfile” model defined in the view. This results in an “InvalidOperationException”.

To fix the error, make sure that the model passed to the view is of the same type that the view expects. In this case, either change the view’s @model declaration to “@model MyApp.Models.User”, or modify the controller action to pass a User instance to a view expecting a User model.

Read more

Leave a comment