@elderbyte/ngx-starter 15.7.0 → 15.7.2
This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
- package/esm2020/lib/common/http/upload/file-upload-client.mjs +1 -1
- package/esm2020/lib/components/files/elder-file-drop-zone.directive.mjs +2 -2
- package/esm2020/lib/components/files/elder-file-select.directive.mjs +36 -13
- package/esm2020/lib/components/files/elder-file.module.mjs +1 -2
- package/esm2020/lib/components/files/file-select/file-select.component.mjs +2 -2
- package/esm2020/lib/components/files/file-upload/file-upload.component.mjs +8 -14
- package/esm2020/lib/components/files/listing/file-entry.mjs +58 -12
- package/esm2020/lib/components/files/listing/file-listing-rx.mjs +10 -2
- package/fesm2015/elderbyte-ngx-starter.mjs +127 -99
- package/fesm2015/elderbyte-ngx-starter.mjs.map +1 -1
- package/fesm2020/elderbyte-ngx-starter.mjs +127 -99
- package/fesm2020/elderbyte-ngx-starter.mjs.map +1 -1
- package/lib/common/http/upload/file-upload-client.d.ts +2 -2
- package/lib/components/files/elder-file-select.directive.d.ts +13 -4
- package/lib/components/files/elder-file.module.d.ts +0 -1
- package/lib/components/files/file-select/file-select.component.d.ts +5 -3
- package/lib/components/files/file-upload/file-upload.component.d.ts +3 -9
- package/lib/components/files/listing/file-entry.d.ts +37 -8
- package/lib/components/files/listing/file-listing-rx.d.ts +1 -0
- package/package.json +1 -1
- package/esm2020/lib/components/files/file-proxy.mjs +0 -41
- package/lib/components/files/file-proxy.d.ts +0 -21
|
@@ -9563,6 +9563,82 @@ i0.ɵɵngDeclareClassMetadata({ minVersion: "12.0.0", version: "15.2.0", ngImpor
|
|
|
9563
9563
|
}]
|
|
9564
9564
|
}] });
|
|
9565
9565
|
|
|
9566
|
+
/**
|
|
9567
|
+
* Represents a file and the relative path where the user has selected it.
|
|
9568
|
+
* This is useful if the user has selected a folder and files
|
|
9569
|
+
* are listed recursively.
|
|
9570
|
+
*/
|
|
9571
|
+
class FileEntry {
|
|
9572
|
+
/***************************************************************************
|
|
9573
|
+
* *
|
|
9574
|
+
* Constructor *
|
|
9575
|
+
* *
|
|
9576
|
+
**************************************************************************/
|
|
9577
|
+
constructor(file,
|
|
9578
|
+
/**
|
|
9579
|
+
* Contains the relative path from the selected folder
|
|
9580
|
+
* to this file. Only relevant if the user has selected a folder.
|
|
9581
|
+
*/
|
|
9582
|
+
relativeParent) {
|
|
9583
|
+
this.file = file;
|
|
9584
|
+
this.relativeParent = relativeParent;
|
|
9585
|
+
this.relativePath = FileEntry.buildRelativePath(relativeParent, file);
|
|
9586
|
+
}
|
|
9587
|
+
/**
|
|
9588
|
+
* Creates a file Entry without an explicit relative parent.
|
|
9589
|
+
*
|
|
9590
|
+
* However, depending how the file was selected, some browsers
|
|
9591
|
+
* encode the relative parent path in the property 'webkitRelativePath'
|
|
9592
|
+
* which is also supported by this method.
|
|
9593
|
+
*/
|
|
9594
|
+
static ofFile(file) {
|
|
9595
|
+
let relativeParent = null;
|
|
9596
|
+
if (file.webkitRelativePath) {
|
|
9597
|
+
if (file.webkitRelativePath.endsWith(file.name)) {
|
|
9598
|
+
var nameStart = file.webkitRelativePath.length - file.name.length;
|
|
9599
|
+
relativeParent = file.webkitRelativePath.substring(0, nameStart);
|
|
9600
|
+
}
|
|
9601
|
+
else {
|
|
9602
|
+
relativeParent = file.webkitRelativePath;
|
|
9603
|
+
}
|
|
9604
|
+
}
|
|
9605
|
+
return FileEntry.relativeFile(file, relativeParent);
|
|
9606
|
+
}
|
|
9607
|
+
/**
|
|
9608
|
+
* Creates a file Entry with a relative parent path
|
|
9609
|
+
*/
|
|
9610
|
+
static relativeFile(file, relativeParent) {
|
|
9611
|
+
if (relativeParent && relativeParent.endsWith('/')) {
|
|
9612
|
+
relativeParent = relativeParent.substring(0, relativeParent.length - 1);
|
|
9613
|
+
}
|
|
9614
|
+
return new FileEntry(file, relativeParent);
|
|
9615
|
+
}
|
|
9616
|
+
static toFileMap(entries) {
|
|
9617
|
+
const map = new Map();
|
|
9618
|
+
entries.forEach(e => map.set(e.file, e));
|
|
9619
|
+
return map;
|
|
9620
|
+
}
|
|
9621
|
+
static toFileArray(entries) {
|
|
9622
|
+
return entries.map(e => e.file);
|
|
9623
|
+
}
|
|
9624
|
+
/***************************************************************************
|
|
9625
|
+
* *
|
|
9626
|
+
* Private methods *
|
|
9627
|
+
* *
|
|
9628
|
+
**************************************************************************/
|
|
9629
|
+
/**
|
|
9630
|
+
* Returns a string which specifies the file's path relative to the directory selected by the user.
|
|
9631
|
+
*/
|
|
9632
|
+
static buildRelativePath(relativeParent, file) {
|
|
9633
|
+
if (relativeParent != null) {
|
|
9634
|
+
return relativeParent + '/' + file.name;
|
|
9635
|
+
}
|
|
9636
|
+
else {
|
|
9637
|
+
return file.name;
|
|
9638
|
+
}
|
|
9639
|
+
}
|
|
9640
|
+
}
|
|
9641
|
+
|
|
9566
9642
|
class ElderFileSelectDirective {
|
|
9567
9643
|
/***************************************************************************
|
|
9568
9644
|
* *
|
|
@@ -9604,11 +9680,23 @@ class ElderFileSelectDirective {
|
|
|
9604
9680
|
}
|
|
9605
9681
|
}
|
|
9606
9682
|
set elderFileSelectMultiple(value) {
|
|
9607
|
-
this._multiple = value;
|
|
9683
|
+
this._multiple = coerceBooleanProperty(value);
|
|
9608
9684
|
if (this._fileInput) {
|
|
9609
9685
|
this.renderer.setProperty(this._fileInput, 'multiple', value);
|
|
9610
9686
|
}
|
|
9611
9687
|
}
|
|
9688
|
+
/**
|
|
9689
|
+
* Allow the user to select a directory. All files that are recursively contained are selected.
|
|
9690
|
+
* However, the user will no longer be able to select individual files if this is enabled.
|
|
9691
|
+
* @param value
|
|
9692
|
+
*/
|
|
9693
|
+
set elderFileSelectDirectory(value) {
|
|
9694
|
+
this._directory = coerceBooleanProperty(value);
|
|
9695
|
+
if (this._fileInput) {
|
|
9696
|
+
this.renderer.setAttribute(this._fileInput, 'webkitdirectory', 'true');
|
|
9697
|
+
this.renderer.setAttribute(this._fileInput, 'directory', 'true');
|
|
9698
|
+
}
|
|
9699
|
+
}
|
|
9612
9700
|
/***************************************************************************
|
|
9613
9701
|
* *
|
|
9614
9702
|
* Public API *
|
|
@@ -9644,6 +9732,10 @@ class ElderFileSelectDirective {
|
|
|
9644
9732
|
if (this._multiple) {
|
|
9645
9733
|
this.renderer.setProperty(this._fileInput, 'multiple', this._multiple);
|
|
9646
9734
|
}
|
|
9735
|
+
if (this._directory) {
|
|
9736
|
+
this.renderer.setAttribute(this._fileInput, 'webkitdirectory', 'true');
|
|
9737
|
+
this.renderer.setAttribute(this._fileInput, 'directory', 'true');
|
|
9738
|
+
}
|
|
9647
9739
|
this._unlisten = this.renderer.listen(this._fileInput, 'change', event => this.fileInputChanged(event));
|
|
9648
9740
|
}
|
|
9649
9741
|
removeFileSelect() {
|
|
@@ -9658,33 +9750,36 @@ class ElderFileSelectDirective {
|
|
|
9658
9750
|
}
|
|
9659
9751
|
fileInputChanged(event) {
|
|
9660
9752
|
const fileList = this._fileInput.files;
|
|
9661
|
-
this.
|
|
9753
|
+
const files = this.toFileEntries(fileList);
|
|
9754
|
+
this.logger.debug('fileInputChanged, files:', files);
|
|
9755
|
+
this.emitFileList(files);
|
|
9662
9756
|
this.clearFileList();
|
|
9663
9757
|
}
|
|
9664
9758
|
clearFileList() {
|
|
9665
9759
|
// not nice but works
|
|
9666
9760
|
this._fileInput.value = null;
|
|
9667
9761
|
}
|
|
9668
|
-
emitFileList(
|
|
9669
|
-
if (
|
|
9670
|
-
this.elderFileSelectChange.next(
|
|
9671
|
-
|
|
9672
|
-
|
|
9673
|
-
|
|
9762
|
+
emitFileList(files) {
|
|
9763
|
+
if (files.length > 0) {
|
|
9764
|
+
this.elderFileSelectChange.next(files);
|
|
9765
|
+
this.elderSingleFileSelectChange.emit(files[0].file);
|
|
9766
|
+
}
|
|
9767
|
+
else {
|
|
9768
|
+
this.logger.warn('User did not select any File or the Folder was empty.');
|
|
9674
9769
|
}
|
|
9675
9770
|
}
|
|
9676
|
-
|
|
9677
|
-
const files =
|
|
9771
|
+
toFileEntries(fileList) {
|
|
9772
|
+
const files = [];
|
|
9678
9773
|
for (const key in fileList) {
|
|
9679
9774
|
if (!isNaN(parseInt(key, 0))) {
|
|
9680
|
-
files.
|
|
9775
|
+
files.push(FileEntry.ofFile(fileList[key]));
|
|
9681
9776
|
}
|
|
9682
9777
|
}
|
|
9683
9778
|
return files;
|
|
9684
9779
|
}
|
|
9685
9780
|
}
|
|
9686
9781
|
ElderFileSelectDirective.ɵfac = i0.ɵɵngDeclareFactory({ minVersion: "12.0.0", version: "15.2.0", ngImport: i0, type: ElderFileSelectDirective, deps: [{ token: i0.ElementRef }, { token: i0.Renderer2 }], target: i0.ɵɵFactoryTarget.Directive });
|
|
9687
|
-
ElderFileSelectDirective.ɵdir = i0.ɵɵngDeclareDirective({ minVersion: "14.0.0", version: "15.2.0", type: ElderFileSelectDirective, selector: "[elderFileSelect]", inputs: { elderFileSelect: "elderFileSelect", elderFileSelectMultiple: "elderFileSelectMultiple" }, outputs: { elderFileSelectChange: "elderFileSelectChange", elderSingleFileSelectChange: "elderSingleFileSelectChange" }, host: { listeners: { "click": "onClick($event)" } }, ngImport: i0 });
|
|
9782
|
+
ElderFileSelectDirective.ɵdir = i0.ɵɵngDeclareDirective({ minVersion: "14.0.0", version: "15.2.0", type: ElderFileSelectDirective, selector: "[elderFileSelect]", inputs: { elderFileSelect: "elderFileSelect", elderFileSelectMultiple: "elderFileSelectMultiple", elderFileSelectDirectory: "elderFileSelectDirectory" }, outputs: { elderFileSelectChange: "elderFileSelectChange", elderSingleFileSelectChange: "elderSingleFileSelectChange" }, host: { listeners: { "click": "onClick($event)" } }, ngImport: i0 });
|
|
9688
9783
|
i0.ɵɵngDeclareClassMetadata({ minVersion: "12.0.0", version: "15.2.0", ngImport: i0, type: ElderFileSelectDirective, decorators: [{
|
|
9689
9784
|
type: Directive,
|
|
9690
9785
|
args: [{
|
|
@@ -9698,6 +9793,8 @@ i0.ɵɵngDeclareClassMetadata({ minVersion: "12.0.0", version: "15.2.0", ngImpor
|
|
|
9698
9793
|
type: Input
|
|
9699
9794
|
}], elderFileSelectMultiple: [{
|
|
9700
9795
|
type: Input
|
|
9796
|
+
}], elderFileSelectDirectory: [{
|
|
9797
|
+
type: Input
|
|
9701
9798
|
}], onClick: [{
|
|
9702
9799
|
type: HostListener,
|
|
9703
9800
|
args: ['click', ['$event']]
|
|
@@ -9737,7 +9834,7 @@ class ElderFileSelectComponent {
|
|
|
9737
9834
|
}
|
|
9738
9835
|
}
|
|
9739
9836
|
ElderFileSelectComponent.ɵfac = i0.ɵɵngDeclareFactory({ minVersion: "12.0.0", version: "15.2.0", ngImport: i0, type: ElderFileSelectComponent, deps: [], target: i0.ɵɵFactoryTarget.Component });
|
|
9740
|
-
ElderFileSelectComponent.ɵcmp = i0.ɵɵngDeclareComponent({ minVersion: "14.0.0", version: "15.2.0", type: ElderFileSelectComponent, selector: "elder-file-select", inputs: { multiple: "multiple", accept: "accept", icon: "icon", color: "color" }, outputs: { filesChange: "filesChange" }, ngImport: i0, template: "\n\n<button mat-icon-button type=\"button\"\n [elderFileSelect]=\"accept\"\n [elderFileSelectMultiple]=\"multiple\"\n (elderFileSelectChange)=\"fileInputChanged($event)\"\n>\n <mat-icon [color]=\"color\">{{icon}}</mat-icon>\n</button>\n", styles: [""], dependencies: [{ kind: "component", type: i5$2.MatIconButton, selector: "button[mat-icon-button]", inputs: ["disabled", "disableRipple", "color"], exportAs: ["matButton"] }, { kind: "component", type: i3$1.MatIcon, selector: "mat-icon", inputs: ["color", "inline", "svgIcon", "fontSet", "fontIcon"], exportAs: ["matIcon"] }, { kind: "directive", type: ElderFileSelectDirective, selector: "[elderFileSelect]", inputs: ["elderFileSelect", "elderFileSelectMultiple"], outputs: ["elderFileSelectChange", "elderSingleFileSelectChange"] }], changeDetection: i0.ChangeDetectionStrategy.OnPush });
|
|
9837
|
+
ElderFileSelectComponent.ɵcmp = i0.ɵɵngDeclareComponent({ minVersion: "14.0.0", version: "15.2.0", type: ElderFileSelectComponent, selector: "elder-file-select", inputs: { multiple: "multiple", accept: "accept", icon: "icon", color: "color" }, outputs: { filesChange: "filesChange" }, ngImport: i0, template: "\n\n<button mat-icon-button type=\"button\"\n [elderFileSelect]=\"accept\"\n [elderFileSelectMultiple]=\"multiple\"\n (elderFileSelectChange)=\"fileInputChanged($event)\"\n>\n <mat-icon [color]=\"color\">{{icon}}</mat-icon>\n</button>\n", styles: [""], dependencies: [{ kind: "component", type: i5$2.MatIconButton, selector: "button[mat-icon-button]", inputs: ["disabled", "disableRipple", "color"], exportAs: ["matButton"] }, { kind: "component", type: i3$1.MatIcon, selector: "mat-icon", inputs: ["color", "inline", "svgIcon", "fontSet", "fontIcon"], exportAs: ["matIcon"] }, { kind: "directive", type: ElderFileSelectDirective, selector: "[elderFileSelect]", inputs: ["elderFileSelect", "elderFileSelectMultiple", "elderFileSelectDirectory"], outputs: ["elderFileSelectChange", "elderSingleFileSelectChange"] }], changeDetection: i0.ChangeDetectionStrategy.OnPush });
|
|
9741
9838
|
i0.ɵɵngDeclareClassMetadata({ minVersion: "12.0.0", version: "15.2.0", ngImport: i0, type: ElderFileSelectComponent, decorators: [{
|
|
9742
9839
|
type: Component,
|
|
9743
9840
|
args: [{ selector: 'elder-file-select', changeDetection: ChangeDetectionStrategy.OnPush, template: "\n\n<button mat-icon-button type=\"button\"\n [elderFileSelect]=\"accept\"\n [elderFileSelectMultiple]=\"multiple\"\n (elderFileSelectChange)=\"fileInputChanged($event)\"\n>\n <mat-icon [color]=\"color\">{{icon}}</mat-icon>\n</button>\n" }]
|
|
@@ -9765,17 +9862,10 @@ class ElderFileUploadComponent {
|
|
|
9765
9862
|
* Fields *
|
|
9766
9863
|
* *
|
|
9767
9864
|
**************************************************************************/
|
|
9768
|
-
this.files =
|
|
9865
|
+
this.files = [];
|
|
9769
9866
|
this.multiple = false;
|
|
9770
9867
|
this.accept = undefined;
|
|
9771
9868
|
}
|
|
9772
|
-
/***************************************************************************
|
|
9773
|
-
* *
|
|
9774
|
-
* Life Cycle *
|
|
9775
|
-
* *
|
|
9776
|
-
**************************************************************************/
|
|
9777
|
-
ngOnInit() {
|
|
9778
|
-
}
|
|
9779
9869
|
/***************************************************************************
|
|
9780
9870
|
* *
|
|
9781
9871
|
* Public API *
|
|
@@ -9795,16 +9885,16 @@ class ElderFileUploadComponent {
|
|
|
9795
9885
|
* Private methods *
|
|
9796
9886
|
* *
|
|
9797
9887
|
**************************************************************************/
|
|
9798
|
-
uploadAllFiles(
|
|
9799
|
-
this.uploadProgress = this.uploadClient.uploadFiles(
|
|
9800
|
-
return forkJoin(this.uploadProgress.values());
|
|
9888
|
+
uploadAllFiles(entries) {
|
|
9889
|
+
this.uploadProgress = this.uploadClient.uploadFiles(FileEntry.toFileArray(entries));
|
|
9890
|
+
return forkJoin(Array.from(this.uploadProgress.values()));
|
|
9801
9891
|
}
|
|
9802
9892
|
}
|
|
9803
9893
|
ElderFileUploadComponent.ɵfac = i0.ɵɵngDeclareFactory({ minVersion: "12.0.0", version: "15.2.0", ngImport: i0, type: ElderFileUploadComponent, deps: [], target: i0.ɵɵFactoryTarget.Component });
|
|
9804
|
-
ElderFileUploadComponent.ɵcmp = i0.ɵɵngDeclareComponent({ minVersion: "14.0.0", version: "15.2.0", type: ElderFileUploadComponent, selector: "elder-file-upload", inputs: { files: "files", multiple: "multiple", accept: "accept", uploadClient: "uploadClient" }, ngImport: i0, template: "\n\n<div class=\"layout-col\">\n\n <div class=\"layout-row gap-md\">\n\n <button mat-icon-button type=\"button\" color=\"primary\"\n *ngIf=\"uploadClient\" (click)=\"startUpload($event)\" [disabled]=\"files.
|
|
9894
|
+
ElderFileUploadComponent.ɵcmp = i0.ɵɵngDeclareComponent({ minVersion: "14.0.0", version: "15.2.0", type: ElderFileUploadComponent, selector: "elder-file-upload", inputs: { files: "files", multiple: "multiple", accept: "accept", uploadClient: "uploadClient" }, ngImport: i0, template: "\n\n<div class=\"layout-col\">\n\n <div class=\"layout-row gap-md\">\n\n <button mat-icon-button type=\"button\" color=\"primary\"\n *ngIf=\"uploadClient\" (click)=\"startUpload($event)\" [disabled]=\"files.length === 0\">\n <mat-icon>cloud_upload</mat-icon>\n </button>\n\n <elder-file-select\n [multiple]=\"multiple\"\n [accept]=\"accept\"\n (filesChange)=\"files = $event\"\n ></elder-file-select>\n\n </div>\n\n <mat-list>\n <h2 mat-subheader>Selected Files ({{files.length}})</h2>\n <mat-list-item *ngFor=\"let fileEntry of files\">\n <mat-icon mat-list-icon>attach_file</mat-icon>\n <h4 mat-line>{{fileEntry.relativePath}}</h4>\n <p mat-line> {{fileEntry.file.size | bytes}} - {{fileEntry.file.lastModified | timeAgo}}</p>\n\n <mat-progress-bar *ngIf=\"(transferOf(fileEntry.file)?.state$ | async) as state\"\n [color]=\"(state.hasFailed ? 'warn' : undefined)\"\n mode=\"determinate\"\n [value]=\"state.progress.percentDone\">\n </mat-progress-bar>\n\n </mat-list-item>\n </mat-list>\n\n</div>\n", styles: [""], dependencies: [{ kind: "directive", type: i1$4.NgForOf, selector: "[ngFor][ngForOf]", inputs: ["ngForOf", "ngForTrackBy", "ngForTemplate"] }, { kind: "directive", type: i1$4.NgIf, selector: "[ngIf]", inputs: ["ngIf", "ngIfThen", "ngIfElse"] }, { kind: "component", type: i2$2.MatList, selector: "mat-list", exportAs: ["matList"] }, { kind: "component", type: i2$2.MatListItem, selector: "mat-list-item, a[mat-list-item], button[mat-list-item]", inputs: ["activated"], exportAs: ["matListItem"] }, { kind: "directive", type: i2$2.MatListSubheaderCssMatStyler, selector: "[mat-subheader], [matSubheader]" }, { kind: "component", type: i5$2.MatIconButton, selector: "button[mat-icon-button]", inputs: ["disabled", "disableRipple", "color"], exportAs: ["matButton"] }, { kind: "component", type: i3$1.MatIcon, selector: "mat-icon", inputs: ["color", "inline", "svgIcon", "fontSet", "fontIcon"], exportAs: ["matIcon"] }, { kind: "component", type: i5$3.MatProgressBar, selector: "mat-progress-bar", inputs: ["color", "value", "bufferValue", "mode"], outputs: ["animationEnd"], exportAs: ["matProgressBar"] }, { kind: "component", type: ElderFileSelectComponent, selector: "elder-file-select", inputs: ["multiple", "accept", "icon", "color"], outputs: ["filesChange"] }, { kind: "pipe", type: i1$4.AsyncPipe, name: "async" }, { kind: "pipe", type: BytesPipe, name: "bytes" }, { kind: "pipe", type: TimeAgoPipe, name: "timeAgo" }] });
|
|
9805
9895
|
i0.ɵɵngDeclareClassMetadata({ minVersion: "12.0.0", version: "15.2.0", ngImport: i0, type: ElderFileUploadComponent, decorators: [{
|
|
9806
9896
|
type: Component,
|
|
9807
|
-
args: [{ selector: 'elder-file-upload', template: "\n\n<div class=\"layout-col\">\n\n <div class=\"layout-row gap-md\">\n\n <button mat-icon-button type=\"button\" color=\"primary\"\n *ngIf=\"uploadClient\" (click)=\"startUpload($event)\" [disabled]=\"files.
|
|
9897
|
+
args: [{ selector: 'elder-file-upload', template: "\n\n<div class=\"layout-col\">\n\n <div class=\"layout-row gap-md\">\n\n <button mat-icon-button type=\"button\" color=\"primary\"\n *ngIf=\"uploadClient\" (click)=\"startUpload($event)\" [disabled]=\"files.length === 0\">\n <mat-icon>cloud_upload</mat-icon>\n </button>\n\n <elder-file-select\n [multiple]=\"multiple\"\n [accept]=\"accept\"\n (filesChange)=\"files = $event\"\n ></elder-file-select>\n\n </div>\n\n <mat-list>\n <h2 mat-subheader>Selected Files ({{files.length}})</h2>\n <mat-list-item *ngFor=\"let fileEntry of files\">\n <mat-icon mat-list-icon>attach_file</mat-icon>\n <h4 mat-line>{{fileEntry.relativePath}}</h4>\n <p mat-line> {{fileEntry.file.size | bytes}} - {{fileEntry.file.lastModified | timeAgo}}</p>\n\n <mat-progress-bar *ngIf=\"(transferOf(fileEntry.file)?.state$ | async) as state\"\n [color]=\"(state.hasFailed ? 'warn' : undefined)\"\n mode=\"determinate\"\n [value]=\"state.progress.percentDone\">\n </mat-progress-bar>\n\n </mat-list-item>\n </mat-list>\n\n</div>\n" }]
|
|
9808
9898
|
}], ctorParameters: function () { return []; }, propDecorators: { files: [{
|
|
9809
9899
|
type: Input
|
|
9810
9900
|
}], multiple: [{
|
|
@@ -9815,76 +9905,6 @@ i0.ɵɵngDeclareClassMetadata({ minVersion: "12.0.0", version: "15.2.0", ngImpor
|
|
|
9815
9905
|
type: Input
|
|
9816
9906
|
}] } });
|
|
9817
9907
|
|
|
9818
|
-
/**
|
|
9819
|
-
* Proxy the File API to an inner file instance,
|
|
9820
|
-
* allowing subclasses of the file proxy
|
|
9821
|
-
* to easily override selected behaviour.
|
|
9822
|
-
*/
|
|
9823
|
-
class FileProxy {
|
|
9824
|
-
constructor(inner) {
|
|
9825
|
-
this.inner = inner;
|
|
9826
|
-
}
|
|
9827
|
-
get lastModified() {
|
|
9828
|
-
return this.inner.lastModified;
|
|
9829
|
-
}
|
|
9830
|
-
get name() {
|
|
9831
|
-
return this.inner.name;
|
|
9832
|
-
}
|
|
9833
|
-
get size() {
|
|
9834
|
-
return this.inner.size;
|
|
9835
|
-
}
|
|
9836
|
-
get type() {
|
|
9837
|
-
return this.inner.type;
|
|
9838
|
-
}
|
|
9839
|
-
/**
|
|
9840
|
-
* Returns a string which specifies the file's path relative to the directory selected by the user
|
|
9841
|
-
*/
|
|
9842
|
-
get webkitRelativePath() {
|
|
9843
|
-
return this.inner.webkitRelativePath;
|
|
9844
|
-
}
|
|
9845
|
-
arrayBuffer() {
|
|
9846
|
-
return this.inner.arrayBuffer();
|
|
9847
|
-
}
|
|
9848
|
-
slice(start, end, contentType) {
|
|
9849
|
-
return this.inner.slice(start, end, contentType);
|
|
9850
|
-
}
|
|
9851
|
-
stream() {
|
|
9852
|
-
return this.inner.stream();
|
|
9853
|
-
}
|
|
9854
|
-
text() {
|
|
9855
|
-
return this.inner.text();
|
|
9856
|
-
}
|
|
9857
|
-
}
|
|
9858
|
-
|
|
9859
|
-
class FileEntry extends FileProxy {
|
|
9860
|
-
constructor(file,
|
|
9861
|
-
/**
|
|
9862
|
-
* Contains the relative path from the selected folder
|
|
9863
|
-
* to this file. Only relevant if the user has selected a folder.
|
|
9864
|
-
*/
|
|
9865
|
-
relativeParent) {
|
|
9866
|
-
super(file);
|
|
9867
|
-
this.relativeParent = relativeParent;
|
|
9868
|
-
}
|
|
9869
|
-
/**
|
|
9870
|
-
* Returns a string which specifies the file's path relative to the directory selected by the user.
|
|
9871
|
-
*/
|
|
9872
|
-
get relativePath() {
|
|
9873
|
-
if (this.relativeParent != null) {
|
|
9874
|
-
return this.relativeParent + '/' + this.name;
|
|
9875
|
-
}
|
|
9876
|
-
else {
|
|
9877
|
-
return this.name;
|
|
9878
|
-
}
|
|
9879
|
-
}
|
|
9880
|
-
/**
|
|
9881
|
-
* Returns a string which specifies the file's path relative to the directory selected by the user.
|
|
9882
|
-
*/
|
|
9883
|
-
get webkitRelativePath() {
|
|
9884
|
-
return this.relativePath;
|
|
9885
|
-
}
|
|
9886
|
-
}
|
|
9887
|
-
|
|
9888
9908
|
class FileListingRx {
|
|
9889
9909
|
/***************************************************************************
|
|
9890
9910
|
* *
|
|
@@ -9915,7 +9935,7 @@ class FileListingRx {
|
|
|
9915
9935
|
observableFile(fileEntry, parent) {
|
|
9916
9936
|
return new Observable(observer => {
|
|
9917
9937
|
fileEntry.file(file => {
|
|
9918
|
-
observer.next(
|
|
9938
|
+
observer.next(FileEntry.relativeFile(file, this.trimStaringSlash(parent?.fullPath)));
|
|
9919
9939
|
observer.complete();
|
|
9920
9940
|
}, err => {
|
|
9921
9941
|
observer.error(err);
|
|
@@ -9923,6 +9943,14 @@ class FileListingRx {
|
|
|
9923
9943
|
});
|
|
9924
9944
|
});
|
|
9925
9945
|
}
|
|
9946
|
+
trimStaringSlash(path) {
|
|
9947
|
+
if (path) {
|
|
9948
|
+
if (path.startsWith('/')) {
|
|
9949
|
+
path = path.substring(1);
|
|
9950
|
+
}
|
|
9951
|
+
}
|
|
9952
|
+
return path;
|
|
9953
|
+
}
|
|
9926
9954
|
readEntries(directoryEntry) {
|
|
9927
9955
|
return new Observable(observer => {
|
|
9928
9956
|
this.consumeReaderToCompletion(observer, directoryEntry.createReader());
|
|
@@ -10017,7 +10045,7 @@ class ElderFileDropZoneDirective {
|
|
|
10017
10045
|
obs.push(FileListingRx.INSTANCE.listFilesRecursive(entry));
|
|
10018
10046
|
}
|
|
10019
10047
|
else {
|
|
10020
|
-
obs.push(of([
|
|
10048
|
+
obs.push(of([FileEntry.ofFile(transferItem.getAsFile())]));
|
|
10021
10049
|
}
|
|
10022
10050
|
}
|
|
10023
10051
|
return zip(obs).pipe(map(files => files.flat()));
|
|
@@ -29007,5 +29035,5 @@ i0.ɵɵngDeclareClassMetadata({ minVersion: "12.0.0", version: "15.2.0", ngImpor
|
|
|
29007
29035
|
* Generated bundle index. Do not edit.
|
|
29008
29036
|
*/
|
|
29009
29037
|
|
|
29010
|
-
export { AuditedEntity, AutoStartSpec, BlobUrl, BytesFormat, BytesPerSecondFormat, BytesPipe, CardDropEvent, CardOrganizerData, CardStack, CollectionUtil, ComparatorBuilder, ConfirmDialogConfig, ContinuableListing, CsvColumnSpec, CsvSerializer, CsvSpec, CsvStreamExporter, CsvStreamExporterBuilder, CsvStreamExporterBuilderService, Currency, CurrencyCode, CurrencyUnit, CurrencyUnitRegistry, CustomDateAdapter, DataContextActivePage, DataContextAutoStarter, DataContextBase, DataContextBuilder, DataContextContinuableBase, DataContextContinuablePaged, DataContextContinuableToken, DataContextLifeCycleBinding, DataContextSelectionDirective, DataContextSimple, DataContextSnapshot, DataContextSourceEventBinding, DataContextStateIndicatorComponent, DataContextStatus, DataSourceAdapter, DataSourceBase, DataSourceChangeEvent, DataSourceChangeType, DataSourceProcessor, DataTransferFactory, DataTransferProgress, DataTransferProgressAggregate, DataTransferState, DataTransferStatus, DataViewIframeAdapterDirective, DataViewIframeComponent, DataViewMessage, DataViewOptionsProviderBinding, DataViewSelection, DataViewSelectionInit, DateUtil, DelegateContinuableDataSource, DelegateDataSource, DelegateListDataSource, DelegatePagedDataSource, Dimensions, DrawerOutletBinding, DurationBucket, DurationFormat, ELDER_DATA_VIEW, ELDER_SELECT_BASE, ElderAccessDeniedComponent, ElderAccessDeniedModule, ElderAppHeaderComponent, ElderAuditModule, ElderAuditedEntityComponent, ElderAutoSelectFirstDirective, ElderAutocompleteComponent, ElderAutocompleteDirective, ElderAutocompleteManyDirective, ElderAutocompleteModule, ElderBlobViewerComponent, ElderBreadCrumbsComponent, ElderBreadCrumbsModule, ElderButtonGroupComponent, ElderButtonGroupModule, ElderCardComponent, ElderCardContentDirective, ElderCardHeaderActionsDirective, ElderCardHeaderComponent, ElderCardModule, ElderCardOrganizerComponent, ElderCardOrganizerModule, ElderCardPanelComponent, ElderCardStackComponent, ElderCardSubtitleDirective, ElderCardTitleDirective, ElderCheckboxState, ElderChipLabelDirective, ElderChipListSelectComponent, ElderChipListSelectModule, ElderChipsModule, ElderClearSelectDirective, ElderClipboardPutDirective, ElderClipboardService, ElderConfirmDialogComponent, ElderConnectivityModule, ElderConnectivityService, ElderContainersModule, ElderCsvExportBtnComponent, ElderCsvModule, ElderCurrencyModule, ElderCurrencyPipe, ElderDataCommonModule, ElderDataToolbarComponent, ElderDataTransferModule, ElderDataTransferService, ElderDataViewBaseComponent, ElderDataViewOptions, ElderDataViewOptionsProvider, ElderDateSwitcherComponent, ElderDateTimeInputComponent, ElderDelayedFocusDirective, ElderDialogConfig, ElderDialogModule, ElderDialogPanelComponent, ElderDialogService, ElderDimensionsInputComponent, ElderDurationInputComponent, ElderEntityValueAccessorUtil, ElderEnumTranslationService, ElderErrorModule, ElderEventSourceService, ElderExceptionDetailComponent, ElderExpandToggleButtonComponent, ElderExpandToggleButtonModule, ElderFileDropZoneDirective, ElderFileModule, ElderFileSelectComponent, ElderFileSelectDirective, ElderFileUploadComponent, ElderFormFieldControlBase, ElderFormFieldDenseDirective, ElderFormFieldLabelDirective, ElderFormFieldNoHintDirective, ElderFormFieldNoSpinnerDirective, ElderFormsDirectivesModule, ElderFormsModule, ElderFromFieldBase, ElderFromFieldEntityBase, ElderFromFieldMultiEntityBase, ElderGlobalSearchComponent, ElderGlobalSearchModule, ElderGlobalSearchService, ElderGridComponent, ElderGridModule, ElderGridTileDirective, ElderGridToolbarDirective, ElderHeaderComponent, ElderHeaderModule, ElderHttpClient, ElderI18nEntitiesModule, ElderIFrameModule, ElderInfiniteAutocompleteDirective, ElderInfiniteScrollDirective, ElderInfiniteScrollLegacyDirective, ElderInfiniteScrollModule, ElderInputPatternDirective, ElderIntervalInputComponent, ElderKeyEventDirective, ElderLabelInputComponent, ElderLabelsModule, ElderLanguageConfig, ElderLanguageInterceptor, ElderLanguageModule, ElderLanguageService, ElderLanguageSwitcherComponent, ElderLocalDateInputComponent, ElderLocalTimeInputComponent, ElderLocalesDeChModule, ElderLocalizedInputComponent, ElderLocalizedInputDialogComponent, ElderLocalizedInputDialogService, ElderLocalizedInputTableComponent, ElderLocalizedTextColumnDirective, ElderLocalizedTextsDirective, ElderMaxValidator, ElderMeasuresModule, ElderMinValidator, ElderMultiEntityValueAccessorUtil, ElderMultiSelectBase, ElderMultiSelectChipsComponent, ElderMultiSelectFormField, ElderMultipleOfUtil, ElderMultipleOfValidator, ElderNavGroupComponent, ElderNavLinkComponent, ElderNavListComponent, ElderNavModule, ElderNextFocusableDirective, ElderNumberCellDirective, ElderOfflineIndicatorComponent, ElderOverlayComponent, ElderOverlayModule, ElderOverlayOriginDirective, ElderOverlayTriggerDirective, ElderPaddingDirective, ElderPanelComponent, ElderPanelModule, ElderPeriodInputComponent, ElderPipesModule, ElderPlugParentFormDirective, ElderProgressBarComponent, ElderProgressBarModule, ElderQuantityFormFieldComponent, ElderQuantityInputControlComponent, ElderQuantityModule, ElderQuantityPipe, ElderQuantityRangeValidator, ElderQuantityService, ElderQuantityTransformPipe, ElderQuestionDialogComponent, ElderRepeatPipe, ElderRepeatPipeLegacy, ElderRequiredDimensionsValidator, ElderRequiredIgnoreZeroValidator, ElderRequiredQuantityValidator, ElderRoundPipe, ElderRouteOutletDrawerService, ElderRouterOutletService, ElderRouterService, ElderSafeUrlPipe, ElderScrollContainerComponent, ElderScrollbarDirective, ElderScrollbarModule, ElderSearchBoxComponent, ElderSearchContextDirective, ElderSearchInputDirective, ElderSearchModule, ElderSearchPanelComponent, ElderSelectBase, ElderSelectChipAvatarDirective, ElderSelectChipDirective, ElderSelectComponent, ElderSelectComponentState, ElderSelectCustomInputDirective, ElderSelectFormField, ElderSelectModule, ElderSelectOnTabDirective, ElderSelectValueDirective, ElderSelectionDialogComponent, ElderSelectionDialogDirective, ElderSelectionMasterCheckboxComponent, ElderSelectionPopupTriggerAdapterDirective, ElderShellCenterDirective, ElderShellComponent, ElderShellModule, ElderShellNavigationToggleComponent, ElderShellService, ElderShellSideLeftDirective, ElderShellSideRightDirective, ElderShellSlotDirective, ElderSimpleSelectionViewComponent, ElderSimpleSelectionViewModule, ElderSingleSortComponent, ElderStackCardDirective, ElderStopEventPropagationDirective, ElderSvgViewerComponent, ElderTabDirective, ElderTabFocusTrapDirective, ElderTabGroupRoutingDirective, ElderTabModule, ElderTableActivationDirective, ElderTableComponent, ElderTableExtensionDirective, ElderTableGroup, ElderTableModel, ElderTableModelCdkTableBinding, ElderTableModelQueryGroup, ElderTableModule, ElderTableProviders, ElderTableRootDirective, ElderTableSortDirective, ElderTableToolbarDirective, ElderThemeApplierDirective, ElderThemeDirective, ElderThemeModule, ElderThemePreferenceService, ElderThemeService, ElderThemeToggleComponent, ElderTimeModule, ElderToastModule, ElderToastService, ElderTogglePanelComponent, ElderTogglePanelPrimaryDirective, ElderTogglePanelSecondaryDirective, ElderTogglePanelTriggerDirective, ElderToolbarColumnDirective, ElderToolbarComponent, ElderToolbarContentDirective, ElderToolbarModule, ElderToolbarService, ElderToolbarTitleComponent, ElderToolbarTitleService, ElderTouchedDirective, ElderTrimPipe, ElderTripleStateCheckboxDirective, ElderTruncatePipe, ElderUnitSelectDirective, ElderUnitService, ElderUrlFragment, ElderUrlFragmentModule, ElderUrlFragmentParamsService, ElderUrlFragmentSwitcherComponent, ElderValidationErrorDirective, ElderViewersModule, EntitySetPatch, ErrorUtil, ExceptionDetailCtx, FileEntry, FileListingRx, FileProxy, FileUploadClient, Filter, FilterContext, FilterUtil, FormFieldBaseComponent, HttpClientBuilder, HttpClientPristine, HttpDataTransfer, HttpDataTransferAggregateComponent, HttpDataTransferComponent, HttpDataTransferIndicatorComponent, HttpDataTransferOverviewComponent, HttpParamsBuilder, I18nBase, I18nPickAsyncPipe, I18nPickPipe, I18nText, IFrameState, IframeCloseDirective, IframeDialogComponent, IframeHostComponent, IframeService, IframeSideContentComponent, IndexedEntities, InternalRestClientConfig, Interval, IsoDurationPipe, IsoIntervalParsePipe, IsoIntervalPipe, JsonMapUtil, KafentConfig, KafentEvent, KafentEventService, KafentEventStream, KafentEventStreamDisabled, KafentEventStreamSse, KafentEventTransport, KafentModule, KafentSseEventChannel, KafentTokenProvider, KafentTokenProviderSessionStorage, KafentTopicSse, KnownElderThemes, KnownLocaleType, LocalListDataSource, LocalPagedDataSource, LocalisationPickerService, MasterSelectionState, MatTableDataContextBinding, MatTableDataContextBindingBuilder, MultiModelBaseComponent, NextNumberUtil, Objects, OnlineStatus, Page, PageRequest, Pageable, ParseUtil, Path, PathNode, PeriodBucket, PeriodDuration, PeriodFormat, ProcessIterationContext, ProcessState, PropertyPathUtil, Quantity, QueryListBinding, QuestionDialogConfig, ReactiveEventSource, ReactiveMap, RefreshingEntity, RestClient, RestClientConfig, RestClientContinuable, RestClientList, RestClientPaged, SearchQuery, SelectionModel, SelectionModelPopupDirective, Sets, SimpleLocalisationPicker, Sort, SortOption, SortUtil, SubBar, SuggestionProvider, TemplateCompositeControl, TemplatedSelectionDialogComponent, ThemeSpec, TimeAgoPipe, TimeDurationPipe, TimeUtil, ToIsoDateStringPipe, ToastType, TokenChunkRequest, ToolbarHeader, TranslatedEnumValue, TypedEventMessage, Unit, UnitDimension, UnitDimensionInfo, UnitInfo, UnitRegistry, UrlBuilder, UrlQueryParams, UuidUtil, ValueAccessorBase, ValueWrapper, ViewProviders, WeightPipe, alphaNumStringComparator, buildFormIntegrationProviders, createDataOptionsProvider, createSelectionModel, existingOrNewElderTableModel, isActivePagedDataContext, isContinuableDataContext, isContinuableDataSource, isDataContext, isDataSource, isElderEntityValueAccessor, isElderMultiEntityValueAccessor, isListDataSource, isPagedDataSource, naturalValueComparator, newElderTableModel, proxyControlContainer, registerLocale, runInZone, themeInit };
|
|
29038
|
+
export { AuditedEntity, AutoStartSpec, BlobUrl, BytesFormat, BytesPerSecondFormat, BytesPipe, CardDropEvent, CardOrganizerData, CardStack, CollectionUtil, ComparatorBuilder, ConfirmDialogConfig, ContinuableListing, CsvColumnSpec, CsvSerializer, CsvSpec, CsvStreamExporter, CsvStreamExporterBuilder, CsvStreamExporterBuilderService, Currency, CurrencyCode, CurrencyUnit, CurrencyUnitRegistry, CustomDateAdapter, DataContextActivePage, DataContextAutoStarter, DataContextBase, DataContextBuilder, DataContextContinuableBase, DataContextContinuablePaged, DataContextContinuableToken, DataContextLifeCycleBinding, DataContextSelectionDirective, DataContextSimple, DataContextSnapshot, DataContextSourceEventBinding, DataContextStateIndicatorComponent, DataContextStatus, DataSourceAdapter, DataSourceBase, DataSourceChangeEvent, DataSourceChangeType, DataSourceProcessor, DataTransferFactory, DataTransferProgress, DataTransferProgressAggregate, DataTransferState, DataTransferStatus, DataViewIframeAdapterDirective, DataViewIframeComponent, DataViewMessage, DataViewOptionsProviderBinding, DataViewSelection, DataViewSelectionInit, DateUtil, DelegateContinuableDataSource, DelegateDataSource, DelegateListDataSource, DelegatePagedDataSource, Dimensions, DrawerOutletBinding, DurationBucket, DurationFormat, ELDER_DATA_VIEW, ELDER_SELECT_BASE, ElderAccessDeniedComponent, ElderAccessDeniedModule, ElderAppHeaderComponent, ElderAuditModule, ElderAuditedEntityComponent, ElderAutoSelectFirstDirective, ElderAutocompleteComponent, ElderAutocompleteDirective, ElderAutocompleteManyDirective, ElderAutocompleteModule, ElderBlobViewerComponent, ElderBreadCrumbsComponent, ElderBreadCrumbsModule, ElderButtonGroupComponent, ElderButtonGroupModule, ElderCardComponent, ElderCardContentDirective, ElderCardHeaderActionsDirective, ElderCardHeaderComponent, ElderCardModule, ElderCardOrganizerComponent, ElderCardOrganizerModule, ElderCardPanelComponent, ElderCardStackComponent, ElderCardSubtitleDirective, ElderCardTitleDirective, ElderCheckboxState, ElderChipLabelDirective, ElderChipListSelectComponent, ElderChipListSelectModule, ElderChipsModule, ElderClearSelectDirective, ElderClipboardPutDirective, ElderClipboardService, ElderConfirmDialogComponent, ElderConnectivityModule, ElderConnectivityService, ElderContainersModule, ElderCsvExportBtnComponent, ElderCsvModule, ElderCurrencyModule, ElderCurrencyPipe, ElderDataCommonModule, ElderDataToolbarComponent, ElderDataTransferModule, ElderDataTransferService, ElderDataViewBaseComponent, ElderDataViewOptions, ElderDataViewOptionsProvider, ElderDateSwitcherComponent, ElderDateTimeInputComponent, ElderDelayedFocusDirective, ElderDialogConfig, ElderDialogModule, ElderDialogPanelComponent, ElderDialogService, ElderDimensionsInputComponent, ElderDurationInputComponent, ElderEntityValueAccessorUtil, ElderEnumTranslationService, ElderErrorModule, ElderEventSourceService, ElderExceptionDetailComponent, ElderExpandToggleButtonComponent, ElderExpandToggleButtonModule, ElderFileDropZoneDirective, ElderFileModule, ElderFileSelectComponent, ElderFileSelectDirective, ElderFileUploadComponent, ElderFormFieldControlBase, ElderFormFieldDenseDirective, ElderFormFieldLabelDirective, ElderFormFieldNoHintDirective, ElderFormFieldNoSpinnerDirective, ElderFormsDirectivesModule, ElderFormsModule, ElderFromFieldBase, ElderFromFieldEntityBase, ElderFromFieldMultiEntityBase, ElderGlobalSearchComponent, ElderGlobalSearchModule, ElderGlobalSearchService, ElderGridComponent, ElderGridModule, ElderGridTileDirective, ElderGridToolbarDirective, ElderHeaderComponent, ElderHeaderModule, ElderHttpClient, ElderI18nEntitiesModule, ElderIFrameModule, ElderInfiniteAutocompleteDirective, ElderInfiniteScrollDirective, ElderInfiniteScrollLegacyDirective, ElderInfiniteScrollModule, ElderInputPatternDirective, ElderIntervalInputComponent, ElderKeyEventDirective, ElderLabelInputComponent, ElderLabelsModule, ElderLanguageConfig, ElderLanguageInterceptor, ElderLanguageModule, ElderLanguageService, ElderLanguageSwitcherComponent, ElderLocalDateInputComponent, ElderLocalTimeInputComponent, ElderLocalesDeChModule, ElderLocalizedInputComponent, ElderLocalizedInputDialogComponent, ElderLocalizedInputDialogService, ElderLocalizedInputTableComponent, ElderLocalizedTextColumnDirective, ElderLocalizedTextsDirective, ElderMaxValidator, ElderMeasuresModule, ElderMinValidator, ElderMultiEntityValueAccessorUtil, ElderMultiSelectBase, ElderMultiSelectChipsComponent, ElderMultiSelectFormField, ElderMultipleOfUtil, ElderMultipleOfValidator, ElderNavGroupComponent, ElderNavLinkComponent, ElderNavListComponent, ElderNavModule, ElderNextFocusableDirective, ElderNumberCellDirective, ElderOfflineIndicatorComponent, ElderOverlayComponent, ElderOverlayModule, ElderOverlayOriginDirective, ElderOverlayTriggerDirective, ElderPaddingDirective, ElderPanelComponent, ElderPanelModule, ElderPeriodInputComponent, ElderPipesModule, ElderPlugParentFormDirective, ElderProgressBarComponent, ElderProgressBarModule, ElderQuantityFormFieldComponent, ElderQuantityInputControlComponent, ElderQuantityModule, ElderQuantityPipe, ElderQuantityRangeValidator, ElderQuantityService, ElderQuantityTransformPipe, ElderQuestionDialogComponent, ElderRepeatPipe, ElderRepeatPipeLegacy, ElderRequiredDimensionsValidator, ElderRequiredIgnoreZeroValidator, ElderRequiredQuantityValidator, ElderRoundPipe, ElderRouteOutletDrawerService, ElderRouterOutletService, ElderRouterService, ElderSafeUrlPipe, ElderScrollContainerComponent, ElderScrollbarDirective, ElderScrollbarModule, ElderSearchBoxComponent, ElderSearchContextDirective, ElderSearchInputDirective, ElderSearchModule, ElderSearchPanelComponent, ElderSelectBase, ElderSelectChipAvatarDirective, ElderSelectChipDirective, ElderSelectComponent, ElderSelectComponentState, ElderSelectCustomInputDirective, ElderSelectFormField, ElderSelectModule, ElderSelectOnTabDirective, ElderSelectValueDirective, ElderSelectionDialogComponent, ElderSelectionDialogDirective, ElderSelectionMasterCheckboxComponent, ElderSelectionPopupTriggerAdapterDirective, ElderShellCenterDirective, ElderShellComponent, ElderShellModule, ElderShellNavigationToggleComponent, ElderShellService, ElderShellSideLeftDirective, ElderShellSideRightDirective, ElderShellSlotDirective, ElderSimpleSelectionViewComponent, ElderSimpleSelectionViewModule, ElderSingleSortComponent, ElderStackCardDirective, ElderStopEventPropagationDirective, ElderSvgViewerComponent, ElderTabDirective, ElderTabFocusTrapDirective, ElderTabGroupRoutingDirective, ElderTabModule, ElderTableActivationDirective, ElderTableComponent, ElderTableExtensionDirective, ElderTableGroup, ElderTableModel, ElderTableModelCdkTableBinding, ElderTableModelQueryGroup, ElderTableModule, ElderTableProviders, ElderTableRootDirective, ElderTableSortDirective, ElderTableToolbarDirective, ElderThemeApplierDirective, ElderThemeDirective, ElderThemeModule, ElderThemePreferenceService, ElderThemeService, ElderThemeToggleComponent, ElderTimeModule, ElderToastModule, ElderToastService, ElderTogglePanelComponent, ElderTogglePanelPrimaryDirective, ElderTogglePanelSecondaryDirective, ElderTogglePanelTriggerDirective, ElderToolbarColumnDirective, ElderToolbarComponent, ElderToolbarContentDirective, ElderToolbarModule, ElderToolbarService, ElderToolbarTitleComponent, ElderToolbarTitleService, ElderTouchedDirective, ElderTrimPipe, ElderTripleStateCheckboxDirective, ElderTruncatePipe, ElderUnitSelectDirective, ElderUnitService, ElderUrlFragment, ElderUrlFragmentModule, ElderUrlFragmentParamsService, ElderUrlFragmentSwitcherComponent, ElderValidationErrorDirective, ElderViewersModule, EntitySetPatch, ErrorUtil, ExceptionDetailCtx, FileEntry, FileListingRx, FileUploadClient, Filter, FilterContext, FilterUtil, FormFieldBaseComponent, HttpClientBuilder, HttpClientPristine, HttpDataTransfer, HttpDataTransferAggregateComponent, HttpDataTransferComponent, HttpDataTransferIndicatorComponent, HttpDataTransferOverviewComponent, HttpParamsBuilder, I18nBase, I18nPickAsyncPipe, I18nPickPipe, I18nText, IFrameState, IframeCloseDirective, IframeDialogComponent, IframeHostComponent, IframeService, IframeSideContentComponent, IndexedEntities, InternalRestClientConfig, Interval, IsoDurationPipe, IsoIntervalParsePipe, IsoIntervalPipe, JsonMapUtil, KafentConfig, KafentEvent, KafentEventService, KafentEventStream, KafentEventStreamDisabled, KafentEventStreamSse, KafentEventTransport, KafentModule, KafentSseEventChannel, KafentTokenProvider, KafentTokenProviderSessionStorage, KafentTopicSse, KnownElderThemes, KnownLocaleType, LocalListDataSource, LocalPagedDataSource, LocalisationPickerService, MasterSelectionState, MatTableDataContextBinding, MatTableDataContextBindingBuilder, MultiModelBaseComponent, NextNumberUtil, Objects, OnlineStatus, Page, PageRequest, Pageable, ParseUtil, Path, PathNode, PeriodBucket, PeriodDuration, PeriodFormat, ProcessIterationContext, ProcessState, PropertyPathUtil, Quantity, QueryListBinding, QuestionDialogConfig, ReactiveEventSource, ReactiveMap, RefreshingEntity, RestClient, RestClientConfig, RestClientContinuable, RestClientList, RestClientPaged, SearchQuery, SelectionModel, SelectionModelPopupDirective, Sets, SimpleLocalisationPicker, Sort, SortOption, SortUtil, SubBar, SuggestionProvider, TemplateCompositeControl, TemplatedSelectionDialogComponent, ThemeSpec, TimeAgoPipe, TimeDurationPipe, TimeUtil, ToIsoDateStringPipe, ToastType, TokenChunkRequest, ToolbarHeader, TranslatedEnumValue, TypedEventMessage, Unit, UnitDimension, UnitDimensionInfo, UnitInfo, UnitRegistry, UrlBuilder, UrlQueryParams, UuidUtil, ValueAccessorBase, ValueWrapper, ViewProviders, WeightPipe, alphaNumStringComparator, buildFormIntegrationProviders, createDataOptionsProvider, createSelectionModel, existingOrNewElderTableModel, isActivePagedDataContext, isContinuableDataContext, isContinuableDataSource, isDataContext, isDataSource, isElderEntityValueAccessor, isElderMultiEntityValueAccessor, isListDataSource, isPagedDataSource, naturalValueComparator, newElderTableModel, proxyControlContainer, registerLocale, runInZone, themeInit };
|
|
29011
29039
|
//# sourceMappingURL=elderbyte-ngx-starter.mjs.map
|