Download.ts 2.6 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970717273747576777879
  1. export function getFullDate(): string {
  2. const date = new Date();
  3. const year = date.getFullYear();
  4. const month = date.getMonth()+1;
  5. const day = date.getDate();
  6. const hour = date.getHours();
  7. const min = date.getMinutes();
  8. const sec = date.getSeconds();
  9. return `${year}-${month}-${day}-${hour}-${min}-${sec}`;
  10. }
  11. export function textToFile(text: string|string[]): File {
  12. return new File(Array.isArray(text) ? text : [text],"file.txt");
  13. }
  14. export function download(data: Blob | string, downloadName = 'download') {
  15. // using ideas from https://github.com/eligrey/FileSaver.js/blob/master/FileSaver.js
  16. if (!data) return;
  17. if ('download' in HTMLAnchorElement.prototype) {
  18. const a = document.createElement('a');
  19. a.download = downloadName;
  20. a.rel = 'noopener';
  21. if (typeof data === 'string') {
  22. a.href = data;
  23. click(a);
  24. } else {
  25. a.href = URL.createObjectURL(data);
  26. setTimeout(() => URL.revokeObjectURL(a.href), 4E4); // 40s
  27. setTimeout(() => click(a));
  28. }
  29. } else if (typeof navigator !== 'undefined' && (navigator as any).msSaveOrOpenBlob) {
  30. // native saveAs in IE 10+
  31. (navigator as any).msSaveOrOpenBlob(data, downloadName);
  32. } else {
  33. const ua = window.navigator.userAgent;
  34. const isSafari = /Safari/i.test(ua);
  35. const isChromeIos = /CriOS\/[\d]+/.test(ua);
  36. const open = (str: string) => {
  37. openUrl(isChromeIos ? str : str.replace(/^data:[^;]*;/, 'data:attachment/file;'));
  38. };
  39. if ((isSafari || isChromeIos) && FileReader) {
  40. if (data instanceof Blob) {
  41. // no downloading of blob urls in Safari
  42. const reader = new FileReader();
  43. reader.onloadend = () => open(reader.result as string);
  44. reader.readAsDataURL(data);
  45. } else {
  46. open(data);
  47. }
  48. } else {
  49. const url = URL.createObjectURL(typeof data === 'string' ? new Blob([data]) : data);
  50. location.href = url;
  51. setTimeout(() => URL.revokeObjectURL(url), 4E4); // 40s
  52. }
  53. }
  54. }
  55. function openUrl(url: string) {
  56. const opened = window.open(url, '_blank');
  57. if (!opened) {
  58. window.location.href = url;
  59. }
  60. }
  61. function click(node: HTMLAnchorElement) {
  62. try {
  63. node.dispatchEvent(new MouseEvent('click'));
  64. } catch (e) {
  65. const evt = document.createEvent('MouseEvents');
  66. evt.initMouseEvent('click', true, true, window, 0, 0, 0, 80, 20, false, false, false, false, 0, null);
  67. node.dispatchEvent(evt);
  68. }
  69. }