如何将httppostedfile发布到webapi?
基本上,我希望用户选择一个excel文件,然后将其发布到我的webapi。

gui是用经典的asp.net制作的,而webapi是用新的.NET apicontroller制作的。

我之前已经做过一些api编码,但是后来我使用了JSON,对于这种对象似乎工作得不太好。

有人可以给我指出正确的方向,以便我继续搜索信息。现在,我什至不知道要搜索什么。

最佳答案

我通过执行以下操作解决了这个问题:
在我的 Controller 中:

 using (var client = new HttpClient())
            using (var content = new MultipartFormDataContent())
            {
                client.BaseAddress = new Uri(System.Configuration.ConfigurationManager.AppSettings["PAM_WebApi"]);
                var fileContent = new ByteArrayContent(excelBytes);
                fileContent.Headers.ContentDisposition = new ContentDispositionHeaderValue("attachment")
                {
                    FileName = fileName
                };
                content.Add(fileContent);
                var result = client.PostAsync("api/Product", content).Result;
            }

这是我的ApiController:
 [RoutePrefix("api/Product")]
public class ProductController : ApiController
{
    public async Task<List<string>> PostAsync()
    {
        if (Request.Content.IsMimeMultipartContent())
        {
            string uploadPath = HttpContext.Current.Server.MapPath("~/uploads");
            if (!System.IO.Directory.Exists(uploadPath))
            {
                System.IO.Directory.CreateDirectory(uploadPath);
            }
            MyStreamProvider streamProvider = new MyStreamProvider(uploadPath);

            await Request.Content.ReadAsMultipartAsync(streamProvider);

            List<string> messages = new List<string>();
            foreach (var file in streamProvider.FileData)
            {
                FileInfo fi = new FileInfo(file.LocalFileName);
                messages.Add("File uploaded as " + fi.FullName + " (" + fi.Length + " bytes)");
            }

            return messages;
        }
        else
        {
            HttpResponseMessage response = Request.CreateResponse(HttpStatusCode.BadRequest, "Invalid Request!");
            throw new HttpResponseException(response);
        }
    }
}

    public class MyStreamProvider : MultipartFormDataStreamProvider
   {
        public MyStreamProvider(string uploadPath)
             : base(uploadPath)
        {

      }

public override string GetLocalFileName(HttpContentHeaders headers)
{
    string fileName = headers.ContentDisposition.FileName;
    if (string.IsNullOrWhiteSpace(fileName))
    {
        fileName = Guid.NewGuid().ToString() + ".xls";
    }
    return fileName.Replace("\"", string.Empty);
}
}

我在一个教程中找到了这段代码,所以我可不是一个值得称赞的人。
所以在这里,我将文件写入文件夹。而且由于有了mysreamprovider,我可以获得的文件名与我最初在GUI中添加的文件相同。我还将结尾的“.xls”添加到文件中,因为我的程序将只处理excel文件。因此,我在GUI中的输入中添加了一些验证,以便我知道所添加的文件是Excel文件。

关于c# - 如何将httppostedfile发布到Web API,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/30617752/

10-12 06:10