我正在开发Web API的-Web API 2。我的基本需要是创建一个API来更新用户的配置文件。在这种情况下,ios和android将以多部分/表单数据的形式向我发送请求。他们会给我发送一些带有图像的参数。但是每当我尝试创建API时,我的模型每次都是空的。
我在WebApiConfig中也添加了这一行:
config.Formatters.JsonFormatter.SupportedMediaTypes.Add(new MediaTypeHeaderValue("multipart/form-data"));
这是我的班级:
public class UpdateProfileModel
{
public HttpPostedFileBase ProfileImage { get; set; }
public string Name { get; set; }
}
这是我的控制器:
[Route("api/Account/UpdateProfile")]
[HttpPost]
public HttpResponseMessage UpdateProfile(UpdateProfileModel model)
{
}
我甚至没有得到参数值在我的模型。我做错什么了吗?
与此相关的答案没有一个对我有帮助。大约是第三天,我已经尝试了几乎所有的方法和方法。
虽然我可以使用这个,但如下所示,但这似乎不是一个好方法。
var httpRequest = HttpContext.Current.Request;
if (httpRequest.Form["ParameterName"] != null)
{
var parameterName = httpRequest.Form["ParameterName"];
}
对于文件,我可以这样做:
if (httpRequest.Files.Count > 0)
{
//i can access my files here and save them
}
请帮助,如果你有任何好的方法,它或请解释我为什么我不能得到这个模型中的值。
非常感谢提前
控制器中不能有这样的参数,因为没有处理多部分/表单数据的内置媒体类型格式化程序。除非您创建自己的格式化程序,否则您可以通过MultipartFormDataStreamProvider访问文件和可选字段:
Post方法
public async Task<HttpResponseMessage> Post()
{
HttpResponseMessage response;
//Check if request is MultiPart
if (!Request.Content.IsMimeMultipartContent())
{
throw new HttpResponseException(HttpStatusCode.UnsupportedMediaType);
}
string root = HttpContext.Current.Server.MapPath("~/App_Data");
var provider = new MultipartFormDataStreamProvider(root);
//This write the file in your App_Data with a random name
await Request.Content.ReadAsMultipartAsync(provider);
foreach (MultipartFileData file in provider.FileData)
{
//Here you can get the full file path on the server
//and other data regarding the file
tempFileName = file.LocalFileName;
}
// You values are inside FormData. You can access them in this way
foreach (var key in provider.FormData.AllKeys)
{
foreach (var val in provider.FormData.GetValues(key))
{
Trace.WriteLine(string.Format("{0}: {1}", key, val));
}
}
//Or directly (not safe)
string name = provider.FormData.GetValues("name").FirstOrDefault();
response = Request.CreateResponse(HttpStatusCode.Ok);
return response;
}
下面是一个更详细的示例列表:在ASP中发送HTML表单数据。NET Web API:文件上载和多部分MIME
默认情况下,api中没有内置的媒体类型格式化程序可以处理多部分/表单数据并执行模型绑定。内置的媒体类型格式化程序是:
JsonMediaTypeFormatter: application/json, text/json
XmlMediaTypeFormatter: application/xml, text/xml
FormUrlEncodedMediaTypeFormatter: application/x-www-form-urlencoded
JQueryMvcFormUrlEncodedFormatter: application/x-www-form-urlencoded
这就是为什么大多数答案都涉及直接从控制器内部的请求读取数据的责任。然而,WebAPI2格式化程序集合是开发人员的起点,而不是所有实现的解决方案。还创建了其他解决方案来创建将处理多部分表单数据的MediaFormatter。创建MediaTypeFormatter类后,它可以在Web API的多个实现中重复使用。
如何为ASP. NET 4.5 Web API创建MultipartFormFor事
您可以下载并构建web api 2源代码的完整实现,并看到媒体格式化程序的默认实现不会以本机方式处理多部分数据。https://aspnetwebstack.codeplex.com/
JPgrassi提供的答案是,您将如何获得多部分数据。我想没有什么需要补充的了,所以我想写我自己的答案。
顾名思义,多部分表单数据不是单一类型的数据,而是指定表单将作为多部分MIME消息发送,因此不能使用预定义的格式化程序读取所有内容。您需要使用ReadAsync函数来读取字节流并获取不同类型的数据,识别它们并反序列化它们。
阅读内容有两种方式。第一种方法是读取并保存内存中的所有内容,第二种方法是使用提供程序,将所有文件内容流式传输到一些随机命名的文件(带有GUID)中,并以本地路径的形式提供句柄以访问文件(jpgrassi提供的示例正在进行第二种操作)。
第一种方法:把一切都保存在记忆中
//Async because this is asynchronous process and would read stream data in a buffer.
//If you don't make this async, you would be only reading a few KBs (buffer size)
//and you wont be able to know why it is not working
public async Task<HttpResponseMessage> Post()
{
if (!request.Content.IsMimeMultipartContent()) return null;
Dictionary<string, object> extractedMediaContents = new Dictionary<string, object>();
//Here I am going with assumption that I am sending data in two parts,
//JSON object, which will come to me as string and a file. You need to customize this in the way you want it to.
extractedMediaContents.Add(BASE64_FILE_CONTENTS, null);
extractedMediaContents.Add(SERIALIZED_JSON_CONTENTS, null);
request.Content.ReadAsMultipartAsync()
.ContinueWith(multiPart =>
{
if (multiPart.IsFaulted || multiPart.IsCanceled)
{
Request.CreateErrorResponse(HttpStatusCode.InternalServerError, multiPart.Exception);
}
foreach (var part in multiPart.Result.Contents)
{
using (var stream = part.ReadAsStreamAsync())
{
stream.Wait();
Stream requestStream = stream.Result;
using (var memoryStream = new MemoryStream())
{
requestStream.CopyTo(memoryStream);
//filename attribute is identifier for file vs other contents.
if (part.Headers.ToString().IndexOf("filename") > -1)
{
extractedMediaContents[BASE64_FILE_CONTENTS] = memoryStream.ToArray();
}
else
{
string jsonString = System.Text.Encoding.ASCII.GetString(memoryStream.ToArray());
//If you need just string, this is enough, otherwise you need to de-serialize based on the content type.
//Each content is identified by name in content headers.
extractedMediaContents[SERIALIZED_JSON_CONTENTS] = jsonString;
}
}
}
}
}).Wait();
//extractedMediaContents; This now has the contents of Request in-memory.
}
第二种方法:使用提供程序(如jpgrai给出的)
请注意,这只是文件名。如果希望处理文件或存储在不同的位置,则需要再次流式读取文件。
public async Task<HttpResponseMessage> Post()
{
HttpResponseMessage response;
//Check if request is MultiPart
if (!Request.Content.IsMimeMultipartContent())
{
throw new HttpResponseException(HttpStatusCode.UnsupportedMediaType);
}
//This specifies local path on server where file will be created
string root = HttpContext.Current.Server.MapPath("~/App_Data");
var provider = new MultipartFormDataStreamProvider(root);
//This write the file in your App_Data with a random name
await Request.Content.ReadAsMultipartAsync(provider);
foreach (MultipartFileData file in provider.FileData)
{
//Here you can get the full file path on the server
//and other data regarding the file
//Point to note, this is only filename. If you want to keep / process file, you need to stream read the file again.
tempFileName = file.LocalFileName;
}
// You values are inside FormData. You can access them in this way
foreach (var key in provider.FormData.AllKeys)
{
foreach (var val in provider.FormData.GetValues(key))
{
Trace.WriteLine(string.Format("{0}: {1}", key, val));
}
}
//Or directly (not safe)
string name = provider.FormData.GetValues("name").FirstOrDefault();
response = Request.CreateResponse(HttpStatusCode.Ok);
return response;
}
我无法在HttpClient上设置内容类型。我接着问了一个问题:如何为HttpClient请求设置Content-Type头?但还是没有运气。 所以我怎么能强迫它,这样它就真的添加了它呢?提前道谢。
我试图配置标题'Content-Type'从空手道,我不能这样做。我尝试了*configure header={'Content-Type':'application/json;charset=utf-8'}和*header Content-Type='application/json;charset=utf-8'。但是在我打的post电话中,我总是得到content-type:text/plai
null 当我创建正文部分时,我是否应该显式地设置top mime消息的内容类型,然后设置每个正文部分? 如果是,在上面的例子中它们应该是什么? 对于html建议,对于附件建议,对于内联建议。我正在使用所有这些,那么对于完整的消息和不同的主体部分应该是什么内容类型? 通过上面的代码,我得到了正确的html文本,纯文本,内联图像和附件在正确的地方与James集成的ThunderBird。 因此,我不
Axis2默认情况下发送多部分响应,即使没有附件 为什么axis2发送多部分响应&如何要求它发送“应用程序/XML”或“应用程序/SOAP+XML”如何摆脱多部分?在axis2.xml中 在回复中,我看到HTTP/1.1 200 OK Date:Fri,17 Feb 2017 01:07:08 GMT Transfer-Encoding:chunked Content-Type:Multipart
<_comments><_comment> 再次是新的注释这是一种文本类型bp注释需要在文本json 1 2017-01-18t21:07:15 雪佛龙公司
我正在做一个项目,在这个项目上,我的API使用了REST服务。如果我在类的主函数中使用REST服务,它工作得很好。但当我从使用Quarkus resteasy的servlet调用它时,它抛出异常。例外情况如下。 servlet的主要代码如下所示。 该项目的依赖性如下。 奇怪的是,类的主函数中的相同代码可以很好地运行。这个问题困扰了我一天,如果你能帮助我,我将不胜感激。