InvalidOperationException: Incorrect Content-Type: Microsoft.AspNetCore.Http.Features.FormFeature.ReadForm()












0















I am new to Asp.net MVC Core. I am working on Server-side loading of JQuery Datatables.net using Asp.Net Core MVC Middleware.



I have used this tutorial to learn how to create a handler and then this article to migrate to middleware but are running into some issues that I hope you can help me with.



I have refined using this tutorial



I get error




"InvalidOperationException: Incorrect Content-Type: Microsoft.AspNetCore.Http.Features.FormFeature.ReadForm()"




when I run the solution.



Here is my code:
View



<script type="text/javascript">
$(document).ready(function () {
$('#datatable').DataTable({
//"paging": true,
//"ordering": true,
//"info": true,
'columns' : [
{ 'data': 'InsertedDateUtc' },
//{ 'data': 'EventId' },
{ 'data': 'UserId' },
{ 'data': 'Action' },
{ 'data': 'Context' },
{ 'data': 'RecordId' },
{ 'data': 'Property' },
{ 'data': 'OldValue' },
{ 'data': 'NewValue' },
],
'processing': true,
'serverSide': true,

'ajax' : {
'type' : 'POST',
'url' : '../AuditEventData.cs',
//'url': '../APIController/GetAuditEvents'
//'url' : '@Url.Action("GetAuditEvents", "APIController")'
'datatype': 'json',
}
});
});
</script>


Middleware



public class AuditEventData 
{
private readonly RequestDelegate _next;
private readonly IDataGet _dataGet;

public AuditEventData(RequestDelegate next)
{
_next = next;
}

public async Task Invoke(HttpContext httpContext)
{
string result = null;
int filteredCount = 0;

var draw = httpContext.Request.Form["draw"].FirstOrDefault();
var start = int.Parse(httpContext.Request.Form["start"].FirstOrDefault());
var length = int.Parse(httpContext.Request.Form["length"].FirstOrDefault());
var sortCol = int.Parse(httpContext.Request.Form["columns[" + httpContext.Request.Form["order[0][column]"].FirstOrDefault() + "][name]"].FirstOrDefault());
var sortDir = httpContext.Request.Form["order[0][dir]"].FirstOrDefault();
var search = httpContext.Request.Form["search[value]"].FirstOrDefault();

try
{
var auditEvents = await _dataGet.GetServerSideAuditEvents(length, start, sortCol, sortDir, search);

filteredCount = auditEvents.Count();

var data = new
{
iTotalRecords = await _dataGet.GetTotalAuditEventCount(),
iTotalDisplayRecords = filteredCount,
aaData = auditEvents
};

result = JsonConvert.SerializeObject(data);
await httpContext.Response.WriteAsync(result);

}
catch (Exception e)
{
await ErrorHandler.HandleException(e);
}

await _next(httpContext);
}

}

// Extension method used to add the middleware to the HTTP request pipeline.
public static class MiddlewareExtensions
{
public static IApplicationBuilder UseAuditEventDataMiddleware(this IApplicationBuilder builder)
{
return builder.UseMiddleware<AuditEventData>();
}
}


Startup.cs



app.MapWhen(
context => context.Request.Path.ToString().EndsWith("ViewAudit"),
appBranch =>
{
appBranch.UseAuditEventDataMiddleware();
});


In the middleware class the line




var start = int.Parse(httpContext.Request.Form["start"].FirstOrDefault());




gives me the error - the tutorials and Microsoft documentation here seem to indicate that I do not need to use the ".Form" and should be able to just use




var start = int.Parse(httpContext.Request["start"].FirstOrDefault());




however, when I do that, I get this error




cannot apply indexing with to an expression of type 'HttpRequest'




I cannot find any examples on how to do this and any help will be appreciated



Thanks










share|improve this question

























  • i suspected httpContext.Request doesn't contain Form object because it passed from different request other than form submit. I recommend to use viewmodel class instead of Request.Form.

    – Tetsuya Yamamoto
    Jan 3 at 2:25











  • Hi @TetsuyaYamamoto Thanks for your comment. I have to pass in httpcontext as that is a requirement for the middleware class and hence I cannot pass in the ViewModel. I also do not think the httpContext.Request.Form is correct, and in all the examples I have seen only httpContext.Request is used. However that does not seem to work for me

    – Ferdi
    Jan 4 at 22:10


















0















I am new to Asp.net MVC Core. I am working on Server-side loading of JQuery Datatables.net using Asp.Net Core MVC Middleware.



I have used this tutorial to learn how to create a handler and then this article to migrate to middleware but are running into some issues that I hope you can help me with.



I have refined using this tutorial



I get error




"InvalidOperationException: Incorrect Content-Type: Microsoft.AspNetCore.Http.Features.FormFeature.ReadForm()"




when I run the solution.



Here is my code:
View



<script type="text/javascript">
$(document).ready(function () {
$('#datatable').DataTable({
//"paging": true,
//"ordering": true,
//"info": true,
'columns' : [
{ 'data': 'InsertedDateUtc' },
//{ 'data': 'EventId' },
{ 'data': 'UserId' },
{ 'data': 'Action' },
{ 'data': 'Context' },
{ 'data': 'RecordId' },
{ 'data': 'Property' },
{ 'data': 'OldValue' },
{ 'data': 'NewValue' },
],
'processing': true,
'serverSide': true,

'ajax' : {
'type' : 'POST',
'url' : '../AuditEventData.cs',
//'url': '../APIController/GetAuditEvents'
//'url' : '@Url.Action("GetAuditEvents", "APIController")'
'datatype': 'json',
}
});
});
</script>


Middleware



public class AuditEventData 
{
private readonly RequestDelegate _next;
private readonly IDataGet _dataGet;

public AuditEventData(RequestDelegate next)
{
_next = next;
}

public async Task Invoke(HttpContext httpContext)
{
string result = null;
int filteredCount = 0;

var draw = httpContext.Request.Form["draw"].FirstOrDefault();
var start = int.Parse(httpContext.Request.Form["start"].FirstOrDefault());
var length = int.Parse(httpContext.Request.Form["length"].FirstOrDefault());
var sortCol = int.Parse(httpContext.Request.Form["columns[" + httpContext.Request.Form["order[0][column]"].FirstOrDefault() + "][name]"].FirstOrDefault());
var sortDir = httpContext.Request.Form["order[0][dir]"].FirstOrDefault();
var search = httpContext.Request.Form["search[value]"].FirstOrDefault();

try
{
var auditEvents = await _dataGet.GetServerSideAuditEvents(length, start, sortCol, sortDir, search);

filteredCount = auditEvents.Count();

var data = new
{
iTotalRecords = await _dataGet.GetTotalAuditEventCount(),
iTotalDisplayRecords = filteredCount,
aaData = auditEvents
};

result = JsonConvert.SerializeObject(data);
await httpContext.Response.WriteAsync(result);

}
catch (Exception e)
{
await ErrorHandler.HandleException(e);
}

await _next(httpContext);
}

}

// Extension method used to add the middleware to the HTTP request pipeline.
public static class MiddlewareExtensions
{
public static IApplicationBuilder UseAuditEventDataMiddleware(this IApplicationBuilder builder)
{
return builder.UseMiddleware<AuditEventData>();
}
}


Startup.cs



app.MapWhen(
context => context.Request.Path.ToString().EndsWith("ViewAudit"),
appBranch =>
{
appBranch.UseAuditEventDataMiddleware();
});


In the middleware class the line




var start = int.Parse(httpContext.Request.Form["start"].FirstOrDefault());




gives me the error - the tutorials and Microsoft documentation here seem to indicate that I do not need to use the ".Form" and should be able to just use




var start = int.Parse(httpContext.Request["start"].FirstOrDefault());




however, when I do that, I get this error




cannot apply indexing with to an expression of type 'HttpRequest'




I cannot find any examples on how to do this and any help will be appreciated



Thanks










share|improve this question

























  • i suspected httpContext.Request doesn't contain Form object because it passed from different request other than form submit. I recommend to use viewmodel class instead of Request.Form.

    – Tetsuya Yamamoto
    Jan 3 at 2:25











  • Hi @TetsuyaYamamoto Thanks for your comment. I have to pass in httpcontext as that is a requirement for the middleware class and hence I cannot pass in the ViewModel. I also do not think the httpContext.Request.Form is correct, and in all the examples I have seen only httpContext.Request is used. However that does not seem to work for me

    – Ferdi
    Jan 4 at 22:10
















0












0








0








I am new to Asp.net MVC Core. I am working on Server-side loading of JQuery Datatables.net using Asp.Net Core MVC Middleware.



I have used this tutorial to learn how to create a handler and then this article to migrate to middleware but are running into some issues that I hope you can help me with.



I have refined using this tutorial



I get error




"InvalidOperationException: Incorrect Content-Type: Microsoft.AspNetCore.Http.Features.FormFeature.ReadForm()"




when I run the solution.



Here is my code:
View



<script type="text/javascript">
$(document).ready(function () {
$('#datatable').DataTable({
//"paging": true,
//"ordering": true,
//"info": true,
'columns' : [
{ 'data': 'InsertedDateUtc' },
//{ 'data': 'EventId' },
{ 'data': 'UserId' },
{ 'data': 'Action' },
{ 'data': 'Context' },
{ 'data': 'RecordId' },
{ 'data': 'Property' },
{ 'data': 'OldValue' },
{ 'data': 'NewValue' },
],
'processing': true,
'serverSide': true,

'ajax' : {
'type' : 'POST',
'url' : '../AuditEventData.cs',
//'url': '../APIController/GetAuditEvents'
//'url' : '@Url.Action("GetAuditEvents", "APIController")'
'datatype': 'json',
}
});
});
</script>


Middleware



public class AuditEventData 
{
private readonly RequestDelegate _next;
private readonly IDataGet _dataGet;

public AuditEventData(RequestDelegate next)
{
_next = next;
}

public async Task Invoke(HttpContext httpContext)
{
string result = null;
int filteredCount = 0;

var draw = httpContext.Request.Form["draw"].FirstOrDefault();
var start = int.Parse(httpContext.Request.Form["start"].FirstOrDefault());
var length = int.Parse(httpContext.Request.Form["length"].FirstOrDefault());
var sortCol = int.Parse(httpContext.Request.Form["columns[" + httpContext.Request.Form["order[0][column]"].FirstOrDefault() + "][name]"].FirstOrDefault());
var sortDir = httpContext.Request.Form["order[0][dir]"].FirstOrDefault();
var search = httpContext.Request.Form["search[value]"].FirstOrDefault();

try
{
var auditEvents = await _dataGet.GetServerSideAuditEvents(length, start, sortCol, sortDir, search);

filteredCount = auditEvents.Count();

var data = new
{
iTotalRecords = await _dataGet.GetTotalAuditEventCount(),
iTotalDisplayRecords = filteredCount,
aaData = auditEvents
};

result = JsonConvert.SerializeObject(data);
await httpContext.Response.WriteAsync(result);

}
catch (Exception e)
{
await ErrorHandler.HandleException(e);
}

await _next(httpContext);
}

}

// Extension method used to add the middleware to the HTTP request pipeline.
public static class MiddlewareExtensions
{
public static IApplicationBuilder UseAuditEventDataMiddleware(this IApplicationBuilder builder)
{
return builder.UseMiddleware<AuditEventData>();
}
}


Startup.cs



app.MapWhen(
context => context.Request.Path.ToString().EndsWith("ViewAudit"),
appBranch =>
{
appBranch.UseAuditEventDataMiddleware();
});


In the middleware class the line




var start = int.Parse(httpContext.Request.Form["start"].FirstOrDefault());




gives me the error - the tutorials and Microsoft documentation here seem to indicate that I do not need to use the ".Form" and should be able to just use




var start = int.Parse(httpContext.Request["start"].FirstOrDefault());




however, when I do that, I get this error




cannot apply indexing with to an expression of type 'HttpRequest'




I cannot find any examples on how to do this and any help will be appreciated



Thanks










share|improve this question
















I am new to Asp.net MVC Core. I am working on Server-side loading of JQuery Datatables.net using Asp.Net Core MVC Middleware.



I have used this tutorial to learn how to create a handler and then this article to migrate to middleware but are running into some issues that I hope you can help me with.



I have refined using this tutorial



I get error




"InvalidOperationException: Incorrect Content-Type: Microsoft.AspNetCore.Http.Features.FormFeature.ReadForm()"




when I run the solution.



Here is my code:
View



<script type="text/javascript">
$(document).ready(function () {
$('#datatable').DataTable({
//"paging": true,
//"ordering": true,
//"info": true,
'columns' : [
{ 'data': 'InsertedDateUtc' },
//{ 'data': 'EventId' },
{ 'data': 'UserId' },
{ 'data': 'Action' },
{ 'data': 'Context' },
{ 'data': 'RecordId' },
{ 'data': 'Property' },
{ 'data': 'OldValue' },
{ 'data': 'NewValue' },
],
'processing': true,
'serverSide': true,

'ajax' : {
'type' : 'POST',
'url' : '../AuditEventData.cs',
//'url': '../APIController/GetAuditEvents'
//'url' : '@Url.Action("GetAuditEvents", "APIController")'
'datatype': 'json',
}
});
});
</script>


Middleware



public class AuditEventData 
{
private readonly RequestDelegate _next;
private readonly IDataGet _dataGet;

public AuditEventData(RequestDelegate next)
{
_next = next;
}

public async Task Invoke(HttpContext httpContext)
{
string result = null;
int filteredCount = 0;

var draw = httpContext.Request.Form["draw"].FirstOrDefault();
var start = int.Parse(httpContext.Request.Form["start"].FirstOrDefault());
var length = int.Parse(httpContext.Request.Form["length"].FirstOrDefault());
var sortCol = int.Parse(httpContext.Request.Form["columns[" + httpContext.Request.Form["order[0][column]"].FirstOrDefault() + "][name]"].FirstOrDefault());
var sortDir = httpContext.Request.Form["order[0][dir]"].FirstOrDefault();
var search = httpContext.Request.Form["search[value]"].FirstOrDefault();

try
{
var auditEvents = await _dataGet.GetServerSideAuditEvents(length, start, sortCol, sortDir, search);

filteredCount = auditEvents.Count();

var data = new
{
iTotalRecords = await _dataGet.GetTotalAuditEventCount(),
iTotalDisplayRecords = filteredCount,
aaData = auditEvents
};

result = JsonConvert.SerializeObject(data);
await httpContext.Response.WriteAsync(result);

}
catch (Exception e)
{
await ErrorHandler.HandleException(e);
}

await _next(httpContext);
}

}

// Extension method used to add the middleware to the HTTP request pipeline.
public static class MiddlewareExtensions
{
public static IApplicationBuilder UseAuditEventDataMiddleware(this IApplicationBuilder builder)
{
return builder.UseMiddleware<AuditEventData>();
}
}


Startup.cs



app.MapWhen(
context => context.Request.Path.ToString().EndsWith("ViewAudit"),
appBranch =>
{
appBranch.UseAuditEventDataMiddleware();
});


In the middleware class the line




var start = int.Parse(httpContext.Request.Form["start"].FirstOrDefault());




gives me the error - the tutorials and Microsoft documentation here seem to indicate that I do not need to use the ".Form" and should be able to just use




var start = int.Parse(httpContext.Request["start"].FirstOrDefault());




however, when I do that, I get this error




cannot apply indexing with to an expression of type 'HttpRequest'




I cannot find any examples on how to do this and any help will be appreciated



Thanks







asp.net-mvc datatables






share|improve this question















share|improve this question













share|improve this question




share|improve this question








edited Jan 2 at 23:57







Ferdi

















asked Jan 2 at 23:37









FerdiFerdi

12




12













  • i suspected httpContext.Request doesn't contain Form object because it passed from different request other than form submit. I recommend to use viewmodel class instead of Request.Form.

    – Tetsuya Yamamoto
    Jan 3 at 2:25











  • Hi @TetsuyaYamamoto Thanks for your comment. I have to pass in httpcontext as that is a requirement for the middleware class and hence I cannot pass in the ViewModel. I also do not think the httpContext.Request.Form is correct, and in all the examples I have seen only httpContext.Request is used. However that does not seem to work for me

    – Ferdi
    Jan 4 at 22:10





















  • i suspected httpContext.Request doesn't contain Form object because it passed from different request other than form submit. I recommend to use viewmodel class instead of Request.Form.

    – Tetsuya Yamamoto
    Jan 3 at 2:25











  • Hi @TetsuyaYamamoto Thanks for your comment. I have to pass in httpcontext as that is a requirement for the middleware class and hence I cannot pass in the ViewModel. I also do not think the httpContext.Request.Form is correct, and in all the examples I have seen only httpContext.Request is used. However that does not seem to work for me

    – Ferdi
    Jan 4 at 22:10



















i suspected httpContext.Request doesn't contain Form object because it passed from different request other than form submit. I recommend to use viewmodel class instead of Request.Form.

– Tetsuya Yamamoto
Jan 3 at 2:25





i suspected httpContext.Request doesn't contain Form object because it passed from different request other than form submit. I recommend to use viewmodel class instead of Request.Form.

– Tetsuya Yamamoto
Jan 3 at 2:25













Hi @TetsuyaYamamoto Thanks for your comment. I have to pass in httpcontext as that is a requirement for the middleware class and hence I cannot pass in the ViewModel. I also do not think the httpContext.Request.Form is correct, and in all the examples I have seen only httpContext.Request is used. However that does not seem to work for me

– Ferdi
Jan 4 at 22:10







Hi @TetsuyaYamamoto Thanks for your comment. I have to pass in httpcontext as that is a requirement for the middleware class and hence I cannot pass in the ViewModel. I also do not think the httpContext.Request.Form is correct, and in all the examples I have seen only httpContext.Request is used. However that does not seem to work for me

– Ferdi
Jan 4 at 22:10














0






active

oldest

votes












Your Answer






StackExchange.ifUsing("editor", function () {
StackExchange.using("externalEditor", function () {
StackExchange.using("snippets", function () {
StackExchange.snippets.init();
});
});
}, "code-snippets");

StackExchange.ready(function() {
var channelOptions = {
tags: "".split(" "),
id: "1"
};
initTagRenderer("".split(" "), "".split(" "), channelOptions);

StackExchange.using("externalEditor", function() {
// Have to fire editor after snippets, if snippets enabled
if (StackExchange.settings.snippets.snippetsEnabled) {
StackExchange.using("snippets", function() {
createEditor();
});
}
else {
createEditor();
}
});

function createEditor() {
StackExchange.prepareEditor({
heartbeatType: 'answer',
autoActivateHeartbeat: false,
convertImagesToLinks: true,
noModals: true,
showLowRepImageUploadWarning: true,
reputationToPostImages: 10,
bindNavPrevention: true,
postfix: "",
imageUploader: {
brandingHtml: "Powered by u003ca class="icon-imgur-white" href="https://imgur.com/"u003eu003c/au003e",
contentPolicyHtml: "User contributions licensed under u003ca href="https://creativecommons.org/licenses/by-sa/3.0/"u003ecc by-sa 3.0 with attribution requiredu003c/au003e u003ca href="https://stackoverflow.com/legal/content-policy"u003e(content policy)u003c/au003e",
allowUrls: true
},
onDemand: true,
discardSelector: ".discard-answer"
,immediatelyShowMarkdownHelp:true
});


}
});














draft saved

draft discarded


















StackExchange.ready(
function () {
StackExchange.openid.initPostLogin('.new-post-login', 'https%3a%2f%2fstackoverflow.com%2fquestions%2f54014589%2finvalidoperationexception-incorrect-content-type-microsoft-aspnetcore-http-fea%23new-answer', 'question_page');
}
);

Post as a guest















Required, but never shown

























0






active

oldest

votes








0






active

oldest

votes









active

oldest

votes






active

oldest

votes
















draft saved

draft discarded




















































Thanks for contributing an answer to Stack Overflow!


  • Please be sure to answer the question. Provide details and share your research!

But avoid



  • Asking for help, clarification, or responding to other answers.

  • Making statements based on opinion; back them up with references or personal experience.


To learn more, see our tips on writing great answers.




draft saved


draft discarded














StackExchange.ready(
function () {
StackExchange.openid.initPostLogin('.new-post-login', 'https%3a%2f%2fstackoverflow.com%2fquestions%2f54014589%2finvalidoperationexception-incorrect-content-type-microsoft-aspnetcore-http-fea%23new-answer', 'question_page');
}
);

Post as a guest















Required, but never shown





















































Required, but never shown














Required, but never shown












Required, but never shown







Required, but never shown

































Required, but never shown














Required, but never shown












Required, but never shown







Required, but never shown







Popular posts from this blog

MongoDB - Not Authorized To Execute Command

in spring boot 2.1 many test slices are not allowed anymore due to multiple @BootstrapWith

How to fix TextFormField cause rebuild widget in Flutter