简体   繁体   English

从mvc web api httpresponse生成csv并通过angularjs接收它以供下载

[英]generate csv from mvc web api httpresponse and receive it by angularjs for download

I am trying to generate a CSV file from my web api and receive that file through angularjs. 我试图从我的web api生成一个CSV文件,并通过angularjs接收该文件。 I have an API controller like below: 我有一个如下所示的API控制器:

 [HttpPost]
    public HttpResponseMessage GenerateCSV(FieldParameters fieldParams)
    {
        var output = new byte[] { };
        if (fieldParams!= null)
        {
            using (var stream = new MemoryStream())
            {
                this.Serialize(fieldParams, stream);
                stream.Flush();
                output = stream.ToArray();
            }
        }
        var result = new HttpResponseMessage(HttpStatusCode.OK) { Content = new ByteArrayContent(output) };
        result.Content.Headers.ContentType = new MediaTypeHeaderValue("application/octet-stream");
        result.Content.Headers.ContentDisposition = new ContentDispositionHeaderValue("attachment")
        {
            FileName = "Fields.csv"
        };
        return result;
    }

In my angularjs, i have this: 在我的angularjs中,我有这个:

$scope.save = function () {
        var csvInput= extractDetails();

        // File is an angular resource. We call its save method here which
        // accesses the api above which should return the content of csv
        File.save(csvInput, function (content) {
            console.log(content);

            // only creates a csv file with "[object Object]" written in it
            var hiddenElement = document.createElement('a');
            hiddenElement.href = 'data:text/csv;charset=utf-8,\uFEFF' + encodeURI(content.Parameters);
            hiddenElement.target = '_blank';
            hiddenElement.download = 'myFile.csv';
            hiddenElement.click();
        });
    };

Lets say for example, in my API controller, the content of response is 让我们举例来说,在我的API控制器中,响应的内容是

output 产量

{byte[152]} {字节[152]}

[0]: 83 [0]:83

[1]: 101 [1]:101

[2]: 44 [2]:44

[3]: 67 [3]:67

[4]: 10 [4]:10

When I receive this in angularjs and I put the value of content in the console log (chrome), this is what I get: 当我在angularjs中收到这个并且我将content的值放在控制台日志(chrome)中时,这就是我得到的:

{Parameters: Array[1], $promise: Object, $resolved: true, $get: function, $save: function…} {Parameters:Array [1],$ promise:Object,$ resolved:true,$ get:function,$ save:function ...}

0:"S" 0: “S”

1: "e" 1:“e”

2: "," 2:“,”

3: "C" 3:“C”

4: "↵" 4:“↵”

$promise: object $ promise:对象

$resolved: true` $ resolved:true`

  1. Why did the content received in the angularjs contain characters already instead of a byte of array? 为什么angularjs中收到的content已包含字符而不是数组的字节?

  2. How can I control the content in such a way that I will only use the csv related data and remove $promise and $resolved ? 如何以这样的方式控制content :我只使用csv相关数据并删除$promise$resolved Why are they included in the first place? 它们为什么首先包括在内? How to remove them? 如何删除它们?

  3. What is the proper way of generating a csv if what I am doing is wrong? 如果我正在做的事情是错误的,那么生成csv的正确方法是什么? :| :|

Forgot to update this, but i now found a way to solve this: 忘了更新这个,但我现在找到了解决这个问题的方法:

There will be two API's, one (POST) will remember the data to be used in the processing and another one (GET) which will dispense the file. 将有两个API,一个(POST)将记住要在处理中使用的数据,另一个(GET)将分配文件。

POST: POST:

    [HttpPost]
    public async Task<HttpResponseMessage> BuildFile(FileParameters fileParams)
    {
        var guid = Guid.NewGuid().ToString();
        if (fileParams!= null)
        {
            await Task.Run(() => FileContents.Add(guid, fileParams));
            return this.Request.CreateResponse(HttpStatusCode.OK, new { Value = guid });
        }
        return this.Request.CreateErrorResponse(HttpStatusCode.BadRequest, "Invalid data");
    }

In AngularJs, remember the guid returned and pass this to another api: 在AngularJs中,记住guid返回并将其传递给另一个api:

 location.href = '/api/file/generatefile' + '?guid=' + generatedGuidFromAPI + '&reportName=' + $scope.reportName;

And here is the generatefile API controller in MVC: 这是MVC中的generatefile API控制器:

GET: 得到:

  [HttpGet]
    public async Task<HttpResponseMessage> GenerateFile(string guid, string reportName)
    {
        byte[] output = null;
        if (FileContents.ContainsKey(guid))
        {
            await Task.Run(() =>
            {
                using (var stream = new MemoryStream())
                {
                    this.CreateFile(FileContents[guid], stream);
                    stream.Flush();
                    output = stream.ToArray();
                }
            });
        }

        FileContents.Remove(guid);
        if (output != null)
        {
            var result = new HttpResponseMessage(HttpStatusCode.OK) { Content = new ByteArrayContent(output) };
            result.Content.Headers.ContentType = new MediaTypeHeaderValue("application/octet-stream");
            result.Content.Headers.ContentDisposition = new ContentDispositionHeaderValue("attachment")
            {
                FileName = reportName + ".csv"
            };
            return result;
        }

        return this.Request.CreateErrorResponse(HttpStatusCode.NoContent, "No record found");
    }

using location.href will cause the browser to automatically download the file, asking you whether to save it or not. 使用location.href将导致浏览器自动下载文件,询问是否保存。

Here's how I do it: (tested in chrome) 我是这样做的:(用铬测试)

    // WebAPI controller action
    public IHttpActionResult Get(string rpt, DateTime date)
    {
        List<DailyMIReportViewModel> list = new List<DailyMIReportViewModel>();

        // Do some stuff to generate list of items

        // Download Requested
        if (rpt == "dailymidl")
        {
            // Create byte array of csv
            byte[] csvData = WriteCsvWithHeaderToMemory(list);
            // create FileContentResult of cdv byte array
            FileContentResult result = new FileContentResult(csvData, "application/octet-stream");
            // set filename in FileContentResult
            result.FileDownloadName = "Report.csv";

            return Ok(result);
        }
        // Data Requested
        return Ok(list);

        // Client-side angularjs
        // Called on button click
        $scope.generateMIDownload = function (forDate) {
            // Using $resource to return promise with FileContentResult payload
            reportsRepository.dailymidl(forDate).$promise.then(
            function (data) {
                //ok
                // NOTE: the base64 part is what got it working

                var dataUrl = 'data:application/octet-stream;base64,' + data.FileContents
                var link = document.createElement('a');
                angular.element(link)
                  .attr('href', dataUrl)
                  .attr('download', data.FileDownloadName)
                  .attr('target','_blank')
                link.click();
            },
            function (response) {
                //not ok
            });
        }

        // Reports Repository (for ref)
        angular.module('msgnr').factory('reportsRepository', function ($resource) {
            return {
                dailymidl: function (date) {
                    return $resource('/api/Report/', { rpt: 'dailymidl', date: date, toDate: date }).get();
            }
        }
    });

Incase it helps anyone else. 包括它可以帮助其他人。

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM