Как получить разные типы responseType in angular из основного метода веб-API asp.net - PullRequest
0 голосов
/ 09 апреля 2019

для этой операции мы написали один веб-API в ядре asp.net 2.0, и мы возвращаем два разных типа ответа, если условие выполнено успешно, он вернет zip-файл в качестве ответа на угловое значение и сохранит на компьютере.

и если условие ложно, оно отправит JSON в угловую, поэтому здесь мы хотим показать PopUp пользователю вместе с данными JSON

, но мы сохраняем [responseType: "arraybuffer"] вугловое приложение, поэтому для обоих условий мы получаем "массив буферов" в ответ

//asp.net core web api code
// code wrote for two different return type 

if(condition == true )
{
  return File(zipBytes, "application/zip", "Data.zip");
}
else
{
  return Json(new Response { Code=111,Data= 
                            JsonConvert.SerializeObject(myList)});
}

// ******************************************************************** //

//Angular 6 Code
//Code wrote for getting a response as a zip in the angular service file 

postWithZip(path: string, body: Object = {}): Observable<ArrayBuffer> {
    return this.http
      .post(`${path}`, JSON.stringify(body), {
        headers: this.setHeaders({ multipartFormData: false, zipOption: true }),
        responseType: "arraybuffer"
      })
      .catch(this.formatErrors);
  }

Как вы можете видеть в приведенном выше угловом коде, он обрабатывает ответ файла zip, но не работает для ответа JSON.

Итак, как мы можем достичь обоих сценариев в этом случае?

// ************************************************************* //

// this is the Method we wrote in asp.net 
[Route("GetAcccountWithCredits")]
        [HttpPost]
        public IActionResult GetAccountWithCredtis([FromBody]AccountsWithCreditsRequest tempRequest)
        {
            try
            {
                if (!ModelState.IsValid)
                {
                    return BadRequest(ModelState);
                }

                BusinessHelper businessHelper = new BusinessHelper(_hostingEnvironment, _iconfiguration, _smtpDetails, _options, _dbSettings);
                //Get data from stored procedure
                var accountsWithCredits = businessHelper.getAccountsWithCredtis(tempRequest);

                //Delete existing files from Excel folder
                string[] filePaths = Directory.GetFiles(_hostingEnvironment.ContentRootPath + "\\Excels\\Accounts with Credit Balances");
                foreach (string filePath in filePaths)
                {
                    System.IO.File.Delete(filePath);
                }

                DataTable dt = new DataTable();
                //Convert stored procedure response to excel
                dt = businessHelper.ConvertToCSV("Garages", accountsWithCredits, _hostingEnvironment.ContentRootPath + "\\" + _iconfiguration["CSVFilePath"]);
                List<string> myList = new List<string>();
                if (dt.TableName == "codeDoesNotExits")
                {
                    foreach (DataRow row in dt.Rows)
                    {
                        myList.Add((string)row[0]);
                    }
                }
                if (myList.Count == 0)
                {
                    //Create List of excel files details(name, path)
                    List<FileObjectDeails> listOfFiles = new List<FileObjectDeails>();
                    FileObjectDeails garadesList = new FileObjectDeails();
                    garadesList.FileName = _iconfiguration["GaragesFileName"];
                    garadesList.FilePath = _hostingEnvironment.ContentRootPath + "\\" + _iconfiguration["CSVFilePath"] + "\\" + _iconfiguration["GaragesFileName"];
                    listOfFiles.Add(garadesList);


                    if (tempRequest.EmailId != "")
                    {
                        string subject = _iconfiguration["AccountsWithCreditEmailSubject"];
                        string body = _iconfiguration["AccountsWithCreditEmailBody"];
                        //Send Email with files as attachment
                        businessHelper.SendEmail(listOfFiles, tempRequest.EmailId, subject, body);
                    }

                    //Convert files into zip format and return
                    byte[] zipBytes;
                    using (var ms = new MemoryStream())
                    {
                        using (var zipArchive = new ZipArchive(ms, ZipArchiveMode.Create, true))
                        {
                            foreach (var attachment in listOfFiles)
                            {
                                var entry = zipArchive.CreateEntry(attachment.FileName);

                                using (var fileStream = new FileStream(attachment.FilePath, FileMode.Open))
                                using (var entryStream = entry.Open())
                                {
                                    fileStream.CopyTo(entryStream);
                                }
                            }
                        }
                        ms.Position = 0;
                        zipBytes = ms.ToArray();
                    }
                    return File(zipBytes, "application/zip", "GarageData.zip");
                }
                else
                {
                    return Json(new Response { Code = 111, Status = "Got Json", Message = "Fount Account Code which is not present in XML File", Data = JsonConvert.SerializeObject(myList) });
                }
            }
            catch (Exception e)
            {
                return BadRequest(e.Message.ToString());
            }
        }

1 Ответ

0 голосов
/ 12 апреля 2019

для принятия обоих типов ответов нам нужно внести изменения в угловой код обслуживания, как показано ниже

 postWithZip(
    path: string,
    body: Object = {}
  ): Observable<HttpResponse<ArrayBuffer>> {
    return this.http
      .post(`${path}`, JSON.stringify(body), {
        headers: this.setHeaders({ multipartFormData: false, zipOption: true }),
        observe: "response",
        responseType: "arraybuffer"
      })
      .catch(this.formatErrors);
  }

, а затем мы можем идентифицировать оба ответа, используя contentType, как следует

   res => {
        if (res.headers.get("content-type") == "application/zip") {
          *//Write operation you want to do with the zip file*
        } else {
          var decodedString = String.fromCharCode.apply(
            null,
            new Uint8Array(res.body)
          );
          var obj = JSON.parse(decodedString);
         *//Write operation you want to done with JSON*
        }
      }
Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...