Наконец-то удалось получить эту работу и подумал, что документирую, как здесь, в надежде спасти других от боли.
Окружающая среда
- VS2012
- SQL Server 2008R2
- .NET 4.5
- ASP.NET MVC4 (бритва)
- Windows 7
Поддерживаемые веб-браузеры
- FireFox 23
- IE 10
- Chrome 29
- Опера 16
- Safari 5.1.7 (последний для Windows?)
Моей задачей было нажатие кнопки пользовательского интерфейса, вызов метода на моем контроллере (с некоторыми параметрами), а затем возвращение MS-Excel XML с помощью преобразования xslt. Возвращенный XML-файл MS-Excel затем вызовет в браузере всплывающее диалоговое окно «Открыть / сохранить». Это должно было работать во всех браузерах (перечисленных выше).
Сначала я попытался с помощью Ajax и создать динамический Anchor с атрибутом «download» для имени файла,
но это работало только для 3 из 5 браузеров (FF, Chrome, Opera), а не для IE или Safari.
И были проблемы с попыткой программно запустить событие Click якоря, чтобы вызвать фактическую «загрузку».
В итоге я использовал «невидимый» IFRAME, и он работал для всех 5 браузеров!
Итак, вот что я придумала:
[обратите внимание, что я ни в коем случае не гуру html / javascript и включил только соответствующий код]
HTML (фрагмент соответствующих битов)
<div id="docxOutput">
<iframe id="ifOffice" name="ifOffice" width="0" height="0"
hidden="hidden" seamless='seamless' frameBorder="0" scrolling="no"></iframe></div>
JAVASCRIPT
//url to call in the controller to get MS-Excel xml
var _lnkToControllerExcel = '@Url.Action("ExportToExcel", "Home")';
$("#btExportToExcel").on("click", function (event) {
event.preventDefault();
$("#ProgressDialog").show();//like an ajax loader gif
//grab the basket as xml
var keys = GetMyKeys();//returns delimited list of keys (for selected items from UI)
//potential problem - the querystring might be too long??
//2K in IE8
//4096 characters in ASP.Net
//parameter key names must match signature of Controller method
var qsParams = [
'keys=' + keys,
'locale=' + '@locale'
].join('&');
//The element with id="ifOffice"
var officeFrame = $("#ifOffice")[0];
//construct the url for the iframe
var srcUrl = _lnkToControllerExcel + '?' + qsParams;
try {
if (officeFrame != null) {
//Controller method can take up to 4 seconds to return
officeFrame.setAttribute("src", srcUrl);
}
else {
alert('ExportToExcel - failed to get reference to the office iframe!');
}
} catch (ex) {
var errMsg = "ExportToExcel Button Click Handler Error: ";
HandleException(ex, errMsg);
}
finally {
//Need a small 3 second ( delay for the generated MS-Excel XML to come down from server)
setTimeout(function () {
//after the timeout then hide the loader graphic
$("#ProgressDialog").hide();
}, 3000);
//clean up
officeFrame = null;
srcUrl = null;
qsParams = null;
keys = null;
}
});
C # SERVER-SIDE (фрагмент кода)
@Drew создал собственный ActionResult с именем XmlActionResult, который я изменил для своих целей.
Вернуть XML из действия контроллера в качестве ActionResult?
Метод My Controller (возвращает ActionResult)
- передает параметр keys хранимому процессу SQL Server, который генерирует XML
- что XML затем преобразуется через xslt в XML-файл MS-Excel (XmlDocument)
создает экземпляр измененного XmlActionResult и возвращает его
XmlActionResult result = new XmlActionResult (excelXML, "application / vnd.ms-excel");
строка версии = DateTime.Now.ToString ("dd_MMM_yyyy_hhmmsstt");
string fileMask = "LabelExport_ {0} .xml";
result.DownloadFilename = string.Format (fileMask, версия);
возвращаемый результат;
Основная модификация класса XmlActionResult, созданного @Drew.
public override void ExecuteResult(ControllerContext context)
{
string lastModDate = DateTime.Now.ToString("R");
//Content-Disposition: attachment; filename="<file name.xml>"
// must set the Content-Disposition so that the web browser will pop the open/save dialog
string disposition = "attachment; " +
"filename=\"" + this.DownloadFilename + "\"; ";
context.HttpContext.Response.Clear();
context.HttpContext.Response.ClearContent();
context.HttpContext.Response.ClearHeaders();
context.HttpContext.Response.Cookies.Clear();
context.HttpContext.Response.Cache.SetCacheability(System.Web.HttpCacheability.NoCache);// Stop Caching in IE
context.HttpContext.Response.Cache.SetNoStore();// Stop Caching in Firefox
context.HttpContext.Response.Cache.SetMaxAge(TimeSpan.Zero);
context.HttpContext.Response.CacheControl = "private";
context.HttpContext.Response.Cache.SetLastModified(DateTime.Now.ToUniversalTime());
context.HttpContext.Response.ContentType = this.MimeType;
context.HttpContext.Response.Charset = System.Text.UTF8Encoding.UTF8.WebName;
//context.HttpContext.Response.Headers.Add("name", "value");
context.HttpContext.Response.Headers.Add("Last-Modified", lastModDate);
context.HttpContext.Response.Headers.Add("Pragma", "no-cache"); // HTTP 1.0.
context.HttpContext.Response.Headers.Add("Expires", "0"); // Proxies.
context.HttpContext.Response.AppendHeader("Content-Disposition", disposition);
using (var writer = new XmlTextWriter(context.HttpContext.Response.OutputStream, this.Encoding)
{ Formatting = this.Formatting })
this.Document.WriteTo(writer);
}
Это было в основном так.
Надеюсь, это поможет другим.