데이터베이스에 저장된 파일을 ASP.NET MVC의 사용자에게 다시 보내는 데 문제가 있습니다. 내가 원하는 것은 두 개의 링크를 나열하는보기입니다. 하나는 파일을보고 브라우저로 전송 된 mimetype이 처리 방법을 결정하고 다른 하나는 강제로 다운로드하도록합니다.
호출 된 파일을 보려고 선택 SomeRandomFile.bak
하고 브라우저 에이 유형의 파일을 여는 관련 프로그램이 없으면 다운로드 동작을 기본값으로 설정하는 데 아무런 문제가 없습니다. 그러나 파일을 보도록 선택 SomeRandomFile.pdf
하거나 SomeRandomFile.jpg
파일을 열기를 원할 경우. 그러나 파일 형식에 관계없이 다운로드 프롬프트를 강제로 실행할 수 있도록 다운로드 링크를 옆으로 유지하고 싶습니다. 이게 말이 돼?
시도했지만 FileStreamResult
대부분의 파일에서 작동하며 생성자는 기본적으로 파일 이름을 허용하지 않으므로 알 수없는 파일에는 URL을 기반으로 파일 이름이 할당됩니다 (콘텐츠 유형을 기반으로 확장자를 알 수 없음). 파일 이름을 지정하여 파일 이름을 지정하면 브라우저에서 파일을 직접 열 수 없으며 다운로드 프롬프트가 표시됩니다. 다른 사람이 이것을 만났습니까?
이것들은 내가 지금까지 시도한 것의 예입니다.
//Gives me a download prompt.
return File(document.Data, document.ContentType, document.Name);
//Opens if it is a known extension type, downloads otherwise (download has bogus name and missing extension)
return new FileStreamResult(new MemoryStream(document.Data), document.ContentType);
//Gives me a download prompt (lose the ability to open by default if known type)
return new FileStreamResult(new MemoryStream(document.Data), document.ContentType) {FileDownloadName = document.Name};
어떤 제안?
업데이트 :
이 질문은 많은 사람들과 화음을 치는 것처럼 보이므로 업데이트를 게시 할 것이라고 생각했습니다. 국제 문자와 관련하여 Oskar가 추가 한 아래의 허용 된 답변에 대한 경고는 완전히 유효하며, ContentDisposition
수업 사용으로 인해 몇 번 쳤습니다 . 그 이후 로이 문제를 해결하기 위해 구현을 업데이트했습니다. 아래 코드는 ASP.NET Core (Full Framework) 앱 에서이 문제에 대한 가장 최근의 화신에서 얻은 것이지만 System.Net.Http.Headers.ContentDispositionHeaderValue
클래스를 사용하고 있기 때문에 이전 MVC 응용 프로그램에서 최소한의 변경으로 작동해야합니다 .
using System.Net.Http.Headers;
public IActionResult Download()
{
Document document = ... //Obtain document from database context
//"attachment" means always prompt the user to download
//"inline" means let the browser try and handle it
var cd = new ContentDispositionHeaderValue("attachment")
{
FileNameStar = document.FileName
};
Response.Headers.Add(HeaderNames.ContentDisposition, cd.ToString());
return File(document.Data, document.ContentType);
}
// an entity class for the document in my database
public class Document
{
public string FileName { get; set; }
public string ContentType { get; set; }
public byte[] Data { get; set; }
//Other properties left out for brevity
}