@ngx-smz/core 19.4.2 → 19.5.0
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.
|
@@ -1234,6 +1234,122 @@ function generateGUID() {
|
|
|
1234
1234
|
}
|
|
1235
1235
|
}
|
|
1236
1236
|
|
|
1237
|
+
/*
|
|
1238
|
+
Replaces an item in an array by its id property
|
|
1239
|
+
*/
|
|
1240
|
+
function replaceArrayItem(items, newItem) {
|
|
1241
|
+
const index = items.findIndex(x => x.id === newItem.id);
|
|
1242
|
+
if (index === -1)
|
|
1243
|
+
throw new Error('Elemento não encontrado no array');
|
|
1244
|
+
const result = [...items];
|
|
1245
|
+
result[index] = newItem;
|
|
1246
|
+
return result;
|
|
1247
|
+
}
|
|
1248
|
+
/*
|
|
1249
|
+
Replaces an item in an array by its id property
|
|
1250
|
+
*/
|
|
1251
|
+
function replaceArrayPartialItem(items, newItem) {
|
|
1252
|
+
const index = items.findIndex(x => x.id === newItem.id);
|
|
1253
|
+
if (index === -1)
|
|
1254
|
+
throw new Error('Elemento não encontrado no array');
|
|
1255
|
+
const result = [...items];
|
|
1256
|
+
result[index] = { ...result[index], ...newItem };
|
|
1257
|
+
return result;
|
|
1258
|
+
}
|
|
1259
|
+
/*
|
|
1260
|
+
Checks wheter the current date is withing a time interval of
|
|
1261
|
+
X min after the specified date
|
|
1262
|
+
*/
|
|
1263
|
+
function isWithinTime(date, interval) {
|
|
1264
|
+
return Date.now() < date.getTime() + interval * 60 * 1000;
|
|
1265
|
+
}
|
|
1266
|
+
/*
|
|
1267
|
+
Order the given array by a text property
|
|
1268
|
+
*/
|
|
1269
|
+
function orderArrayByProperty(array, property) {
|
|
1270
|
+
return array.sort((a, b) => a[property].toLowerCase() > b[property].toLowerCase() ? 1 : -1);
|
|
1271
|
+
}
|
|
1272
|
+
/*
|
|
1273
|
+
Deep clone any dummy object
|
|
1274
|
+
*/
|
|
1275
|
+
function deepClone(object) {
|
|
1276
|
+
return JSON.parse(JSON.stringify(object));
|
|
1277
|
+
}
|
|
1278
|
+
/*
|
|
1279
|
+
Checks if a string is null, undefined or empty
|
|
1280
|
+
*/
|
|
1281
|
+
function isEmpty$1(str) {
|
|
1282
|
+
return (!str || 0 === str.length);
|
|
1283
|
+
}
|
|
1284
|
+
/*
|
|
1285
|
+
Remove all items from an array
|
|
1286
|
+
*/
|
|
1287
|
+
function clearArray(array) {
|
|
1288
|
+
for (const item of array) {
|
|
1289
|
+
array.pop();
|
|
1290
|
+
}
|
|
1291
|
+
}
|
|
1292
|
+
function normalizeDateToUtc(date) {
|
|
1293
|
+
return new Date(Date.UTC(date.getFullYear(), date.getMonth(), date.getDate(), 0, 0, 0, 0));
|
|
1294
|
+
}
|
|
1295
|
+
function fixDateProperties(data) {
|
|
1296
|
+
if (data != null) {
|
|
1297
|
+
for (const key of Object.keys(data)) {
|
|
1298
|
+
if (typeof data[key] === 'string') {
|
|
1299
|
+
if (key.startsWith('date') || key.endsWith('Date') || key === 'birthdate') {
|
|
1300
|
+
const fixedDate = fixStringDate$1(data[key]);
|
|
1301
|
+
data[key] = new Date(fixedDate.getUTCFullYear(), fixedDate.getUTCMonth(), fixedDate.getUTCDate());
|
|
1302
|
+
}
|
|
1303
|
+
else if (key === 'lastUpdate') {
|
|
1304
|
+
data[key] = fixStringDate$1(data[key]);
|
|
1305
|
+
}
|
|
1306
|
+
else if (key === 'timestamp') {
|
|
1307
|
+
data[key] = fixStringDate$1(data[key]);
|
|
1308
|
+
}
|
|
1309
|
+
else if (key === 'lastUpdated') {
|
|
1310
|
+
data[key] = fixStringDate$1(data[key]);
|
|
1311
|
+
}
|
|
1312
|
+
else if (key.startsWith('time') || key.endsWith('Time')) {
|
|
1313
|
+
data[key] = fixStringDate$1(data[key]);
|
|
1314
|
+
}
|
|
1315
|
+
}
|
|
1316
|
+
else if (typeof data[key] === 'number') {
|
|
1317
|
+
if (key.startsWith('date') || key.endsWith('Date')) {
|
|
1318
|
+
data[key] = fixEpochDate$1(data[key]);
|
|
1319
|
+
}
|
|
1320
|
+
}
|
|
1321
|
+
else if (typeof data[key] === 'object') {
|
|
1322
|
+
fixDateProperties(data[key]);
|
|
1323
|
+
}
|
|
1324
|
+
}
|
|
1325
|
+
}
|
|
1326
|
+
}
|
|
1327
|
+
function fixStringDate$1(originalDate) {
|
|
1328
|
+
const epochDate = Date.parse(originalDate);
|
|
1329
|
+
return new Date(epochDate);
|
|
1330
|
+
}
|
|
1331
|
+
function fixEpochDate$1(epochData) {
|
|
1332
|
+
if (epochData > 99999999999) { // timestamp miliseconds
|
|
1333
|
+
return new Date(epochData);
|
|
1334
|
+
}
|
|
1335
|
+
else { // timestamp seconds
|
|
1336
|
+
return new Date(epochData * 1000);
|
|
1337
|
+
}
|
|
1338
|
+
}
|
|
1339
|
+
function fixDate$1(date) {
|
|
1340
|
+
if (date == null)
|
|
1341
|
+
return null;
|
|
1342
|
+
if (typeof date === 'string') {
|
|
1343
|
+
return fixStringDate$1(date);
|
|
1344
|
+
}
|
|
1345
|
+
else if (typeof date === 'number') {
|
|
1346
|
+
return fixEpochDate$1(date);
|
|
1347
|
+
}
|
|
1348
|
+
else {
|
|
1349
|
+
throw new Error('fixDate(): unsuported date format.');
|
|
1350
|
+
}
|
|
1351
|
+
}
|
|
1352
|
+
|
|
1237
1353
|
const CONTROL_FUNCTIONS = {
|
|
1238
1354
|
[SmzControlType.CALENDAR]: {
|
|
1239
1355
|
initialize: (input) => { },
|
|
@@ -1241,7 +1357,17 @@ const CONTROL_FUNCTIONS = {
|
|
|
1241
1357
|
applyDefaultValue: (control, input) => { control.patchValue(input.defaultValue); },
|
|
1242
1358
|
getValue: (form, input, flattenResponse) => {
|
|
1243
1359
|
const value = form.get(input.propertyName).value;
|
|
1244
|
-
|
|
1360
|
+
if (!isEmpty$1(value) && !input.showTime && value instanceof Date) {
|
|
1361
|
+
// Input está configurado para não mostrar o horário, então vamos remover o horário
|
|
1362
|
+
try {
|
|
1363
|
+
const date = normalizeDateToUtc(value);
|
|
1364
|
+
return mapResponseValue(input, date, false);
|
|
1365
|
+
}
|
|
1366
|
+
catch (error) {
|
|
1367
|
+
console.error('Erro ao normalizar data para UTC', input, value, error);
|
|
1368
|
+
return mapResponseValue(input, value, false);
|
|
1369
|
+
}
|
|
1370
|
+
}
|
|
1245
1371
|
return mapResponseValue(input, value, false);
|
|
1246
1372
|
},
|
|
1247
1373
|
},
|
|
@@ -2906,14 +3032,14 @@ var ToastActions;
|
|
|
2906
3032
|
/*
|
|
2907
3033
|
Checks if a string is null, undefined or empty
|
|
2908
3034
|
*/
|
|
2909
|
-
function isEmpty
|
|
3035
|
+
function isEmpty(str) {
|
|
2910
3036
|
return (!str || 0 === str.length);
|
|
2911
3037
|
}
|
|
2912
|
-
function fixStringDate
|
|
3038
|
+
function fixStringDate(originalDate) {
|
|
2913
3039
|
const epochDate = Date.parse(originalDate);
|
|
2914
3040
|
return new Date(epochDate);
|
|
2915
3041
|
}
|
|
2916
|
-
function fixEpochDate
|
|
3042
|
+
function fixEpochDate(epochData) {
|
|
2917
3043
|
if (epochData > 99999999999) { // timestamp miliseconds
|
|
2918
3044
|
return new Date(epochData);
|
|
2919
3045
|
}
|
|
@@ -2921,14 +3047,14 @@ function fixEpochDate$1(epochData) {
|
|
|
2921
3047
|
return new Date(epochData * 1000);
|
|
2922
3048
|
}
|
|
2923
3049
|
}
|
|
2924
|
-
function fixDate
|
|
3050
|
+
function fixDate(date) {
|
|
2925
3051
|
if (date == null)
|
|
2926
3052
|
return null;
|
|
2927
3053
|
if (typeof date === 'string') {
|
|
2928
|
-
return fixStringDate
|
|
3054
|
+
return fixStringDate(date);
|
|
2929
3055
|
}
|
|
2930
3056
|
else if (typeof date === 'number') {
|
|
2931
|
-
return fixEpochDate
|
|
3057
|
+
return fixEpochDate(date);
|
|
2932
3058
|
}
|
|
2933
3059
|
else {
|
|
2934
3060
|
throw new Error('fixDate(): unsuported date format.');
|
|
@@ -3288,7 +3414,7 @@ class FileUploadComponent {
|
|
|
3288
3414
|
this.input._clearMethod = () => { this.clear(false); };
|
|
3289
3415
|
this.input._cdf = this.cdf;
|
|
3290
3416
|
this.input._setFile = (event, cdf) => { this.onFilesDropped(event, false, true, cdf); };
|
|
3291
|
-
if (!isEmpty
|
|
3417
|
+
if (!isEmpty(this.input.defaultValue)) {
|
|
3292
3418
|
base64ToFile(this.input.defaultValue, this.input.defaultValueFilename, this.input.defaultValueMimetype).then((file) => {
|
|
3293
3419
|
this.input._setFile([file], this.cdf);
|
|
3294
3420
|
});
|
|
@@ -5345,118 +5471,6 @@ i0.ɵɵngDeclareClassMetadata({ minVersion: "12.0.0", version: "19.2.5", ngImpor
|
|
|
5345
5471
|
type: Input
|
|
5346
5472
|
}] } });
|
|
5347
5473
|
|
|
5348
|
-
/*
|
|
5349
|
-
Replaces an item in an array by its id property
|
|
5350
|
-
*/
|
|
5351
|
-
function replaceArrayItem(items, newItem) {
|
|
5352
|
-
const index = items.findIndex(x => x.id === newItem.id);
|
|
5353
|
-
if (index === -1)
|
|
5354
|
-
throw new Error('Elemento não encontrado no array');
|
|
5355
|
-
const result = [...items];
|
|
5356
|
-
result[index] = newItem;
|
|
5357
|
-
return result;
|
|
5358
|
-
}
|
|
5359
|
-
/*
|
|
5360
|
-
Replaces an item in an array by its id property
|
|
5361
|
-
*/
|
|
5362
|
-
function replaceArrayPartialItem(items, newItem) {
|
|
5363
|
-
const index = items.findIndex(x => x.id === newItem.id);
|
|
5364
|
-
if (index === -1)
|
|
5365
|
-
throw new Error('Elemento não encontrado no array');
|
|
5366
|
-
const result = [...items];
|
|
5367
|
-
result[index] = { ...result[index], ...newItem };
|
|
5368
|
-
return result;
|
|
5369
|
-
}
|
|
5370
|
-
/*
|
|
5371
|
-
Checks wheter the current date is withing a time interval of
|
|
5372
|
-
X min after the specified date
|
|
5373
|
-
*/
|
|
5374
|
-
function isWithinTime(date, interval) {
|
|
5375
|
-
return Date.now() < date.getTime() + interval * 60 * 1000;
|
|
5376
|
-
}
|
|
5377
|
-
/*
|
|
5378
|
-
Order the given array by a text property
|
|
5379
|
-
*/
|
|
5380
|
-
function orderArrayByProperty(array, property) {
|
|
5381
|
-
return array.sort((a, b) => a[property].toLowerCase() > b[property].toLowerCase() ? 1 : -1);
|
|
5382
|
-
}
|
|
5383
|
-
/*
|
|
5384
|
-
Deep clone any dummy object
|
|
5385
|
-
*/
|
|
5386
|
-
function deepClone(object) {
|
|
5387
|
-
return JSON.parse(JSON.stringify(object));
|
|
5388
|
-
}
|
|
5389
|
-
/*
|
|
5390
|
-
Checks if a string is null, undefined or empty
|
|
5391
|
-
*/
|
|
5392
|
-
function isEmpty(str) {
|
|
5393
|
-
return (!str || 0 === str.length);
|
|
5394
|
-
}
|
|
5395
|
-
/*
|
|
5396
|
-
Remove all items from an array
|
|
5397
|
-
*/
|
|
5398
|
-
function clearArray(array) {
|
|
5399
|
-
for (const item of array) {
|
|
5400
|
-
array.pop();
|
|
5401
|
-
}
|
|
5402
|
-
}
|
|
5403
|
-
function fixDateProperties(data) {
|
|
5404
|
-
if (data != null) {
|
|
5405
|
-
for (const key of Object.keys(data)) {
|
|
5406
|
-
if (typeof data[key] === 'string') {
|
|
5407
|
-
if (key.startsWith('date') || key.endsWith('Date') || key === 'birthdate') {
|
|
5408
|
-
data[key] = fixStringDate(data[key]);
|
|
5409
|
-
}
|
|
5410
|
-
else if (key === 'lastUpdate') {
|
|
5411
|
-
data[key] = fixStringDate(data[key]);
|
|
5412
|
-
}
|
|
5413
|
-
else if (key === 'timestamp') {
|
|
5414
|
-
data[key] = fixStringDate(data[key]);
|
|
5415
|
-
}
|
|
5416
|
-
else if (key === 'lastUpdated') {
|
|
5417
|
-
data[key] = fixStringDate(data[key]);
|
|
5418
|
-
}
|
|
5419
|
-
else if (key.startsWith('time') || key.endsWith('Time')) {
|
|
5420
|
-
data[key] = fixStringDate(data[key]);
|
|
5421
|
-
}
|
|
5422
|
-
}
|
|
5423
|
-
else if (typeof data[key] === 'number') {
|
|
5424
|
-
if (key.startsWith('date') || key.endsWith('Date')) {
|
|
5425
|
-
data[key] = fixEpochDate(data[key]);
|
|
5426
|
-
}
|
|
5427
|
-
}
|
|
5428
|
-
else if (typeof data[key] === 'object') {
|
|
5429
|
-
fixDateProperties(data[key]);
|
|
5430
|
-
}
|
|
5431
|
-
}
|
|
5432
|
-
}
|
|
5433
|
-
}
|
|
5434
|
-
function fixStringDate(originalDate) {
|
|
5435
|
-
const epochDate = Date.parse(originalDate);
|
|
5436
|
-
return new Date(epochDate);
|
|
5437
|
-
}
|
|
5438
|
-
function fixEpochDate(epochData) {
|
|
5439
|
-
if (epochData > 99999999999) { // timestamp miliseconds
|
|
5440
|
-
return new Date(epochData);
|
|
5441
|
-
}
|
|
5442
|
-
else { // timestamp seconds
|
|
5443
|
-
return new Date(epochData * 1000);
|
|
5444
|
-
}
|
|
5445
|
-
}
|
|
5446
|
-
function fixDate(date) {
|
|
5447
|
-
if (date == null)
|
|
5448
|
-
return null;
|
|
5449
|
-
if (typeof date === 'string') {
|
|
5450
|
-
return fixStringDate(date);
|
|
5451
|
-
}
|
|
5452
|
-
else if (typeof date === 'number') {
|
|
5453
|
-
return fixEpochDate(date);
|
|
5454
|
-
}
|
|
5455
|
-
else {
|
|
5456
|
-
throw new Error('fixDate(): unsuported date format.');
|
|
5457
|
-
}
|
|
5458
|
-
}
|
|
5459
|
-
|
|
5460
5474
|
class InputTextButtonComponent {
|
|
5461
5475
|
changeDetectorRef = inject(ChangeDetectorRef);
|
|
5462
5476
|
destroyRef = inject(DestroyRef);
|
|
@@ -5486,7 +5500,7 @@ class InputTextButtonComponent {
|
|
|
5486
5500
|
this.input.buttonMessages = [];
|
|
5487
5501
|
}
|
|
5488
5502
|
});
|
|
5489
|
-
if (!isEmpty(this.input.defaultValue ?? '')) {
|
|
5503
|
+
if (!isEmpty$1(this.input.defaultValue ?? '')) {
|
|
5490
5504
|
this.input.isButtonValid = this.control.valid;
|
|
5491
5505
|
this.input.buttonMessages = [];
|
|
5492
5506
|
this.blocked = false;
|
|
@@ -6691,7 +6705,7 @@ class ServerPathPipe {
|
|
|
6691
6705
|
constructor() { }
|
|
6692
6706
|
transform(url, placeholder) {
|
|
6693
6707
|
const placeholderPath = placeholder ?? `assets/images/placeholder.jpeg`;
|
|
6694
|
-
if (isEmpty
|
|
6708
|
+
if (isEmpty(url))
|
|
6695
6709
|
return placeholderPath;
|
|
6696
6710
|
if (this.environment.serverUrl == null) {
|
|
6697
6711
|
throw Error("ServerPathPipe needs a property named 'serverUrl' on environment constant");
|
|
@@ -11477,12 +11491,12 @@ let AuthenticationState = class AuthenticationState {
|
|
|
11477
11491
|
console.log(`[Authentication State] Handling LocalLogin`);
|
|
11478
11492
|
const accessToken = localStorage.getItem(GlobalInjector.config.rbkUtils.authentication.localStoragePrefix + '_access_token');
|
|
11479
11493
|
const refreshToken = localStorage.getItem(GlobalInjector.config.rbkUtils.authentication.localStoragePrefix + '_refresh_token');
|
|
11480
|
-
if (isEmpty(accessToken)) {
|
|
11494
|
+
if (isEmpty$1(accessToken)) {
|
|
11481
11495
|
ctx.dispatch(new AuthenticationActions.LocalLoginFailure());
|
|
11482
11496
|
}
|
|
11483
11497
|
else {
|
|
11484
11498
|
const userdata = generateUserData(accessToken);
|
|
11485
|
-
if (!isEmpty(userdata.tenant) && userdata.tenant != null) {
|
|
11499
|
+
if (!isEmpty$1(userdata.tenant) && userdata.tenant != null) {
|
|
11486
11500
|
localStorage.setItem(GlobalInjector.config.rbkUtils.authentication.localStoragePrefix + '_tenant', userdata.tenant);
|
|
11487
11501
|
}
|
|
11488
11502
|
ctx.patchState({
|
|
@@ -11514,7 +11528,7 @@ let AuthenticationState = class AuthenticationState {
|
|
|
11514
11528
|
localStorage.setItem(GlobalInjector.config.rbkUtils.authentication.localStoragePrefix + '_access_token', action.accessToken);
|
|
11515
11529
|
localStorage.setItem(GlobalInjector.config.rbkUtils.authentication.localStoragePrefix + '_refresh_token', action.refreshToken);
|
|
11516
11530
|
const userdata = generateUserData(action.accessToken);
|
|
11517
|
-
if (!isEmpty(userdata.tenant) && userdata.tenant != null) {
|
|
11531
|
+
if (!isEmpty$1(userdata.tenant) && userdata.tenant != null) {
|
|
11518
11532
|
localStorage.setItem(GlobalInjector.config.rbkUtils.authentication.localStoragePrefix + '_tenant', userdata.tenant);
|
|
11519
11533
|
}
|
|
11520
11534
|
ctx.patchState({
|
|
@@ -14576,7 +14590,7 @@ function convertFormFeatureFromInputData(groups, entity = null, options = null,
|
|
|
14576
14590
|
for (const groupConfig of groups) {
|
|
14577
14591
|
const group = {
|
|
14578
14592
|
name: groupConfig.controls[0].group,
|
|
14579
|
-
showName: !isEmpty
|
|
14593
|
+
showName: !isEmpty(groupConfig.controls[0].group),
|
|
14580
14594
|
children: convertInputs(groupConfig.controls, store, options)
|
|
14581
14595
|
};
|
|
14582
14596
|
if (options != null) {
|
|
@@ -14688,7 +14702,7 @@ function convertInputs(inputs, store, options) {
|
|
|
14688
14702
|
else if (config.controlType.id === `${SmzControlType.CALENDAR}`) {
|
|
14689
14703
|
const input = {
|
|
14690
14704
|
...convertBaseControl(config),
|
|
14691
|
-
defaultValue: fixDate
|
|
14705
|
+
defaultValue: fixDate(config.defaultValue),
|
|
14692
14706
|
type: SmzControlType.CALENDAR,
|
|
14693
14707
|
hideLabel: false,
|
|
14694
14708
|
};
|
|
@@ -14897,7 +14911,7 @@ function getInputOptions(config, store, options) {
|
|
|
14897
14911
|
throw new Error('Unsuported data source type');
|
|
14898
14912
|
}
|
|
14899
14913
|
let stateData = getDataFromStore(config, store, options);
|
|
14900
|
-
if (!isEmpty
|
|
14914
|
+
if (!isEmpty(config.entityLabelPropertyName)) {
|
|
14901
14915
|
return stateData.map(x => ({ id: x.id, name: x[config.entityLabelPropertyName] }));
|
|
14902
14916
|
}
|
|
14903
14917
|
else {
|
|
@@ -14932,7 +14946,7 @@ function getDataFromStore(config, store, options) {
|
|
|
14932
14946
|
const selectorData = options.fieldsToUseSelectors.find(x => x.propertyName === config.propertyName);
|
|
14933
14947
|
storeData = store.selectSnapshot(selectorData.selector);
|
|
14934
14948
|
}
|
|
14935
|
-
else if (!isEmpty
|
|
14949
|
+
else if (!isEmpty(config.sourceName)) {
|
|
14936
14950
|
console.warn("getDataFromStore is not working.");
|
|
14937
14951
|
storeData = store.selectSnapshot(x => x.database[config.sourceName]?.items);
|
|
14938
14952
|
}
|
|
@@ -23277,7 +23291,7 @@ class AuthInterceptor {
|
|
|
23277
23291
|
// unset request inflight
|
|
23278
23292
|
this.inflightAuthRequest = null;
|
|
23279
23293
|
let authReq = req;
|
|
23280
|
-
if (!isEmpty(newToken)) {
|
|
23294
|
+
if (!isEmpty$1(newToken)) {
|
|
23281
23295
|
// use the newly returned token
|
|
23282
23296
|
authReq = req.clone({
|
|
23283
23297
|
headers: req.headers.set(AUTHORIZATION_HEADER, `Bearer ${newToken}`)
|
|
@@ -23309,7 +23323,7 @@ class AuthInterceptor {
|
|
|
23309
23323
|
return this.inflightAuthRequest.pipe(switchMap$1((newToken) => {
|
|
23310
23324
|
this.inflightAuthRequest = null;
|
|
23311
23325
|
let authReqRepeat = req;
|
|
23312
|
-
if (!isEmpty(newToken)) {
|
|
23326
|
+
if (!isEmpty$1(newToken)) {
|
|
23313
23327
|
// use the newly returned token
|
|
23314
23328
|
authReqRepeat = req.clone({
|
|
23315
23329
|
headers: req.headers.set(AUTHORIZATION_HEADER, `Bearer ${newToken}`)
|
|
@@ -32409,7 +32423,7 @@ function runRbkInitialization() {
|
|
|
32409
32423
|
};
|
|
32410
32424
|
configuration.state.database[UI_DEFINITIONS_STATE_NAME] = uiDefinitionsState;
|
|
32411
32425
|
}
|
|
32412
|
-
if (!isEmpty(configuration.uiLocalization?.url)) {
|
|
32426
|
+
if (!isEmpty$1(configuration.uiLocalization?.url)) {
|
|
32413
32427
|
const uiLocalizationState = {
|
|
32414
32428
|
state: UiLocalizationDbState,
|
|
32415
32429
|
loadAction: UiLocalizationDbActions.LoadAll,
|
|
@@ -33597,7 +33611,7 @@ class LoginComponent {
|
|
|
33597
33611
|
const tenants = this.store.selectSnapshot(TenantsSelectors.all);
|
|
33598
33612
|
const configTentant = GlobalInjector.config.rbkUtils.authentication.login.applicationTenant;
|
|
33599
33613
|
const tenant = tenants.find(x => compareInsensitive(x.alias, configTentant));
|
|
33600
|
-
if (!isEmpty(configTentant) && tenant == null) {
|
|
33614
|
+
if (!isEmpty$1(configTentant) && tenant == null) {
|
|
33601
33615
|
throw new Error(`The tenant '${configTentant.toUpperCase()}' set on the project configuration was not found on the database (${tenants.map(x => x.alias).join(', ').toUpperCase()}).`);
|
|
33602
33616
|
}
|
|
33603
33617
|
}
|
|
@@ -34841,11 +34855,11 @@ class SearchFaqsPipe {
|
|
|
34841
34855
|
transform(items, keywords) {
|
|
34842
34856
|
// console.log('searchFaqs');
|
|
34843
34857
|
// console.log('items', items);
|
|
34844
|
-
if (isEmpty(keywords))
|
|
34858
|
+
if (isEmpty$1(keywords))
|
|
34845
34859
|
return deepClone(items);
|
|
34846
34860
|
const words = keywords.split(' ').map(x => x.toLowerCase());
|
|
34847
34861
|
let filtered = deepClone(items);
|
|
34848
|
-
for (let word of words.filter(x => !isEmpty(x) && x.length > 2)) {
|
|
34862
|
+
for (let word of words.filter(x => !isEmpty$1(x) && x.length > 2)) {
|
|
34849
34863
|
filtered = filtered.filter(x => x.question.toLowerCase().includes(word) ||
|
|
34850
34864
|
x.answer.toLowerCase().includes(word));
|
|
34851
34865
|
}
|
|
@@ -34876,7 +34890,7 @@ class HighlightSearch {
|
|
|
34876
34890
|
}
|
|
34877
34891
|
const words = keywords.split(' ').map(x => x.toLowerCase());
|
|
34878
34892
|
let result = value;
|
|
34879
|
-
for (let word of words.filter(x => !isEmpty(x) && x.length > 2)) {
|
|
34893
|
+
for (let word of words.filter(x => !isEmpty$1(x) && x.length > 2)) {
|
|
34880
34894
|
const re = new RegExp(word, 'gi'); //'gi' for case insensitive and can use 'g' if you want the search to be case sensitive.
|
|
34881
34895
|
result = result.replace(re, "<mark>$&</mark>");
|
|
34882
34896
|
}
|
|
@@ -46820,7 +46834,7 @@ class ServerImageDirective {
|
|
|
46820
46834
|
if (this.useServerPath && this.environment.serverUrl == null) {
|
|
46821
46835
|
throw Error("ServerPathPipe needs a property named 'serverUrl' on environment constant");
|
|
46822
46836
|
}
|
|
46823
|
-
if (isEmpty
|
|
46837
|
+
if (isEmpty(this.path)) {
|
|
46824
46838
|
this.path = this.placeholder;
|
|
46825
46839
|
}
|
|
46826
46840
|
else if (this.useServerPath) {
|
|
@@ -48356,13 +48370,13 @@ class SmzSvgComponent {
|
|
|
48356
48370
|
const container = this.draw.findOne(`#PIN_${feature.id}`);
|
|
48357
48371
|
feature.transform(container, `PIN_${feature.id}`, feature, svg);
|
|
48358
48372
|
}
|
|
48359
|
-
if (!isEmpty
|
|
48373
|
+
if (!isEmpty(feature.styleClass)) {
|
|
48360
48374
|
svg.addClass(feature.styleClass);
|
|
48361
48375
|
}
|
|
48362
|
-
if (!isEmpty
|
|
48376
|
+
if (!isEmpty(feature.color)) {
|
|
48363
48377
|
svg.fill(feature.color);
|
|
48364
48378
|
}
|
|
48365
|
-
if (!isEmpty
|
|
48379
|
+
if (!isEmpty(feature.stroke)) {
|
|
48366
48380
|
svg.stroke(feature.stroke);
|
|
48367
48381
|
}
|
|
48368
48382
|
if (feature.scopes?.length > 0) {
|
|
@@ -49087,7 +49101,7 @@ class ServerImageToBase64Directive {
|
|
|
49087
49101
|
if (this.useServerPath && this.environment.serverUrl == null) {
|
|
49088
49102
|
throw Error("ServerPathPipe needs a property named 'serverUrl' on environment constant");
|
|
49089
49103
|
}
|
|
49090
|
-
if (isEmpty
|
|
49104
|
+
if (isEmpty(this.path)) {
|
|
49091
49105
|
this.path = this.placeholder;
|
|
49092
49106
|
}
|
|
49093
49107
|
else if (this.useServerPath) {
|
|
@@ -49200,7 +49214,7 @@ class SafeImageDirective {
|
|
|
49200
49214
|
}
|
|
49201
49215
|
setupImage() {
|
|
49202
49216
|
const img = new Image();
|
|
49203
|
-
if (isEmpty
|
|
49217
|
+
if (isEmpty(this.path)) {
|
|
49204
49218
|
this.path = this.placeholder;
|
|
49205
49219
|
}
|
|
49206
49220
|
img.onload = () => {
|
|
@@ -51755,7 +51769,7 @@ class SmzSvgBaseFeatureBuilder extends SmzBuilderUtilities {
|
|
|
51755
51769
|
return this.that;
|
|
51756
51770
|
}
|
|
51757
51771
|
useHighlight(color) {
|
|
51758
|
-
if (isEmpty
|
|
51772
|
+
if (isEmpty(this._feature.color)) {
|
|
51759
51773
|
throw new Error(`You cannot set useHighlight without color. Please setColor before useHighlight`);
|
|
51760
51774
|
}
|
|
51761
51775
|
this._feature.highlight.enabled = true;
|
|
@@ -56513,5 +56527,5 @@ __decorate([
|
|
|
56513
56527
|
* Generated bundle index. Do not edit.
|
|
56514
56528
|
*/
|
|
56515
56529
|
|
|
56516
|
-
export { AUTHORIZATION_HEADER, AccessControlService, ActionDispatchDirective, ApplicationActions, ApplicationSelectors, ApplicationState, AsPipe, AthenaLayout, AthenaLayoutComponent, AthenaLayoutModule, AuthClaimDefinitions, AuthHandler, AuthService, AuthenticationActions, AuthenticationSelectors, AuthenticationService, AuthenticationState, AuthorizationService, AxisOverflowDirection, AxisOverflowType, AxisPosition, BaseApiService, BoilerplateService, BreadcrumbService, CLAIMS_PAGE_ROUTE, CLAIMS_PATH, CLAIMS_STATE_NAME, CONTENT_ENCODING_HEADER, CachedRouteReuseStrategy, CalendarComponent, CalendarPipe, CanAccess, ChartType, CheckBoxComponent, CheckBoxGroupComponent, ClaimAccessType, ClaimAccessTypeDescription, ClaimAccessTypeValues, ClaimsActions, ClaimsModule, ClaimsSelectors, ClaimsState, ClickStopPropagationDirective, ClickStopPropagationModule, ClonePipe, ColorPallete, ColorPickerComponent, Confirmable, CreateLinearChart, CreateRadialChart, CustomError, CustomNgForDirective, CustomNgForModule, DATABASE_REQUIRED_ACTIONS, DATABASE_STATES, DECORATOR_APPLIED, DatabaseActions, DatabaseSelectors, DatabaseState, DatasetType, DeepWrapper, DescribeAnyPipe, DescribeArrayPipe, DescribeSimpleNamedPipe, DialogContentManagerComponent, DialogService, DropdownComponent, DynamicDialogComponent, DynamicDialogConfig, DynamicDialogInjector, DynamicDialogModule, DynamicDialogRef, ERROR_HANDLING_TYPE_HEADER, ExcelsUiActions, FEATURE_STATES, FeaturesActions, FeaturesSelectors, FeaturesState, FileUploadComponent, FilterContains, FirstOrDefaultPipe, FormGroupComponent, FormSubmitComponent, GenericInjectComponentDirective, GetElementById, GetElementsByParentId, GlobalActions, GlobalFilter, GlobalInjector, GlobalLoaderComponent, GlobalLoaderModule, GlobalState, GroupingType, HephaestusLayout, HephaestusLayoutComponent, HephaestusLayoutModule, HephaestusProviderModule, HostElement, HttpErrorHandler, IGNORE_ERROR_HANDLING, InViewportMetadata, InjectComponentDirective, InjectComponentService, InjectContentAppModule, InjectContentDirective, InjectContentService, InputBlurDetectionModule, InputChangeDetectionDirective, InputClearExtensionDirective, InputCurrencyComponent, InputListComponent, InputMaskComponent, InputNumberComponent, InputPasswordComponent, InputSwitchComponent, InputTagAreaComponent, InputTextAreaComponent, InputTextComponent, InputTreeComponent, IsVisiblePipe, IsVisiblePipeModule, JoinPipe, LOADING_BEHAVIOR_HEADER, LOCAL_LOADING_TAG_HEADER, LayoutUiActions, LayoutUiSelectors, LayoutUiState, LegacyAuthenticationSelectors, LinearChartBuilder, LinkedDropdownComponent, LinkedMultiSelectComponent, LoggingScope, LoggingService, MAIN_LAYOUT_PATH, MentionableTextareaComponent, MenuHelperService, MenuType, MergeClonePipe, MergeClonePipeModule, MultiSelectComponent, NG_ON_INIT, NewAthenaLayout, NewAthenaLayoutComponent, NewAthenaLayoutModule, NewAthenaProviderModule, NgCloneDirective, NgCloneModule, NgIfLandscapeDirective, NgIfLandscapeDirectiveModule, NgIfPortraitDirective, NgIfPortraitDirectiveModule, NgVar, NgVarContext, NgVarModule, NgxRbkUtilsConfig, NgxRbkUtilsModule, NgxSmzCardsModule, NgxSmzCommentsModule, NgxSmzDataInfoModule, NgxSmzDataPipesModule, NgxSmzDialogsModule, NgxSmzDockModule, NgxSmzDocumentsModule, NgxSmzFaqsModule, NgxSmzFormsModule, NgxSmzLayoutsModule, NgxSmzMenuModule, NgxSmzMultiTablesModule, NgxSmzRouterParamsModule, NgxSmzSafeImageModule, NgxSmzServerImageModule, NgxSmzServerImageToBase64Module, NgxSmzSideContentModule, NgxSmzTablesModule, NgxSmzTimelineModule, NgxSmzTreeWithDetailsModule, NgxSmzTreesModule, NgxSmzUiBlockModule, NgxSmzUiComponent, NgxSmzUiConfig, NgxSmzUiGuidesModule, NgxSmzUiModule, NgxSmzViewportModule, PrettyJsonPipe$1 as PrettyJsonPipe, PrettyJsonPipeModule, PrimeConfigService, REFRESH_TOKEN_BEHAVIOR_HEADER, RESTORE_STATE_ON_ERROR_HEADER, ROLES_PAGE_ROUTE, ROLES_PATH, ROLES_STATE_NAME, RadialChartBuilder, RadioButtonComponent, RbkAccessControlModule, RbkAuthGuard, RbkCanAccessAnyPipe, RbkCanAccessPipe, RbkClaimGuardDirective, RbkDatabaseStateGuard, RbkFeatureStateGuard, RbkPipesModule, RbkTableFilterClearDirectivesModule, RegistrySmzUiConfiguration, RepositoryForm, RoleMode, RoleModeDescription, RoleModeValues, RoleSource, RoleSourceDescription, RoleSourceValues, RolesActions, RolesModule, RolesSelectors, RolesState, RouterParamsActions, RouterParamsSelectors, SMZ_CORE_LOGGING_CONFIG, SMZ_UI_ENVIRONMENT_CONFIG, SafeHtmlPipe$2 as SafeHtmlPipe, SafeImageDirective, SafeUrlPipe$1 as SafeUrlPipe, SelectorPipe, ServerImageDirective, ServerImageToBase64Directive, ServerPathPipe, SetTemplateClasses, SetTemplateClassesPipe, SidebarState, SimpleCalendarPipe, SmzActionDispatchModule, SmzAuthorizationDeactivatedUsersTableBuilder, SmzAuthorizationUsersTableBuilder, SmzBaseColumnBuilder, SmzBaseEditableBuilder, SmzBreakpoints, SmzBuilderUtilities, SmzCardsBuilder, SmzCardsComponent, SmzCardsContentType, SmzCardsInjectableComponentBuilder, SmzCardsTemplate, SmzCardsView, SmzChartComponent, SmzChartModule, SmzClipboardService, SmzColumnCollectionBuilder, SmzCommentsBuilder, SmzCommentsComponent, SmzCommentsSectionComponent, SmzContentTheme, SmzContentThemes, SmzContentType, SmzControlType, SmzCoreLogging, SmzCurrencyColumnBuilder, SmzCustomColumnBuilder, SmzDataInfoComponent, SmzDataTransformColumnBuilder, SmzDataTransformTreePipe, SmzDateColumnBuilder, SmzDialogBuilder, SmzDialogComponentBuilder, SmzDialogFormBuilder, SmzDialogTableBuilder, SmzDialogsConfig, SmzDialogsPresets, SmzDialogsService, SmzDockComponent, SmzDockService, SmzDocumentBaseCellBuilder, SmzDocumentBuilder, SmzDocumentComponent, SmzDocumentsService, SmzDragDropModule, SmzDraggable, SmzDropdownEditableBuilder, SmzDroppable, SmzDynamicDialogConfig, SmzEasyBaseColumnBuilder, SmzEasyColumnCollectionBuilder, SmzEasyCustomColumnBuilder, SmzEasyDataTransformColumnBuilder, SmzEasyDateColumnBuilder, SmzEasyMenuTableBuilder, SmzEasyTableBuilder, SmzEasyTableComponent, SmzEasyTableContentType, SmzEasyTableModule, SmzEasyTextColumnBuilder, SmzEditableCollectionBuilder, SmzEditableTableBuilder, SmzEditableType, SmzEnvironment, SmzExcelColorDefinitions, SmzExcelDataDefinitions, SmzExcelFontDefinitions, SmzExcelService, SmzExcelSortOrderDefinitions, SmzExcelThemeDefinitions, SmzExcelTypeDefinitions, SmzExcelsBuilder, SmzExportDialogComponent, SmzExportDialogModule, SmzExportDialogService, SmzExportableContentSource, SmzExportableContentType, SmzFaqsComponent, SmzFaqsConfig, SmzFilterType, SmzFlattenMenuPipe, SmzFlipCardContext, SmzFormBuilder, SmzFormViewdata, SmzFormsConfig, SmzFormsPresets, SmzFormsRepositoryService, SmzGaugeBuilder, SmzGaugeComponent, SmzGaugeThresholdBuilder, SmzGetDataPipe, SmzGridItemComponent, SmzHelpDialogService, SmzHtmlViewerComponent, SmzHtmlViewerModule, SmzIconColumnBuilder, SmzIconMessageComponent, SmzInfoDateComponent, SmzInfoDateModule, SmzInitialPipe, SmzInputAutocompleteTagArea, SmzInputTextModule, SmzInputTextPipe, SmzLayoutsConfig, SmzLoader, SmzLoaders, SmzLoginBuilder, SmzLoginComponent, SmzLoginModule, SmzMenuBuilder, SmzMenuComponent, SmzMenuCreationBuilder, SmzMenuCreationItemBuilder, SmzMenuItemActionsDirective, SmzMenuItemBuilder, SmzMenuItemEasyTableBuilder, SmzMenuItemTableBuilder, SmzMenuTableBuilder, SmzMessagesModule, SmzMultiTablesBuilder, SmzMultiTablesComponent, SmzNumberEditableBuilder, SmzPresets, SmzProxyStore, SmzResponsiveBreakpointsDirective, SmzResponsiveBreakpointsDirectiveModule, SmzResponsiveComponent, SmzRouteDatas, SmzRouteParams, SmzRouteQueryParams, SmzSideContentComponent, SmzSideContentDefault, SmzSincronizeTablePipe, SmzSmartTag, SmzSmartTagModule, SmzSubmitComponent, SmzSvgBuilder, SmzSvgComponent, SmzSvgFeatureBuilder, SmzSvgModule, SmzSvgPinBuilder, SmzSvgRootBuilder, SmzSvgWorldCoordinates, SmzSwitchEditableBuilder, SmzTableBuilder, SmzTableComponent, SmzTablesConfig, SmzTagMessage, SmzTailPipe, SmzTemplatesPipeModule, SmzTenantSwitchComponent, SmzTextColumnBuilder, SmzTextEditableBuilder, SmzTextPattern, SmzTimelineBuilder, SmzTimelineComponent, SmzToastComponent, SmzToastModule, SmzTooltipTouchSupportModule, SmzTreeBuilder, SmzTreeComponent, SmzTreeDragAndDropBuilder, SmzTreeDropBuilder, SmzTreeDynamicMenuBuilder, SmzTreeDynamicMenuItemBuilder, SmzTreeEmptyFeedbackBuilder, SmzTreeMenuBuilder, SmzTreeMenuItemBuilder, SmzTreeToolbarBuilder, SmzTreeToolbarButtonBuilder, SmzTreeToolbarButtonCollectionBuilder, SmzTreeWithDetailsBuilder, SmzTreeWithDetailsComponent, SmzUiBlockComponent, SmzUiBlockDirective, SmzUiBlockService, SmzUiBuilder, SmzUiEnvironment, SmzUiGuidesBuilder, SmzUiGuidesService, SmzViewportDirective, SmzViewportService, StandaloneInjectComponentDirective, StateBuilderPipe, TENANTS_PAGE_ROUTE, TENANTS_PATH, TENANTS_STATE_NAME, TableClearExtensionDirective, TableHelperService, TenantAuthenticationSelectors, TenantsActions, TenantsModule, TenantsSelectors, TenantsState, ThemeManagerService, TitleService, Toast, ToastActions, ToastItem, ToastService, TooltipTouchSupportDirective, TreeHelperService, TreeHelpers, Tunnel, UI_DEFINITIONS_STATE_NAME, UI_LOCALIZATION_STATE_NAME, USERS_PAGE_ROUTE, USERS_PATH, USERS_STATE_NAME, USER_ID_HEADER, LayoutUiActions as UiActions, UiDefinitionsDbActions, UiDefinitionsDbSelectors, UiDefinitionsDbState, UiDefinitionsService, UiLocalizationDbActions, UiLocalizationDbSelectors, UiLocalizationDbState, UiLocalizationService, LayoutUiSelectors as UiSelectors, UniqueFilterPipe, UrlCheckerPipe, UrlCheckerPipeModule, UsersActions, UsersModule, UsersSelectors, UsersState, WINDOWS_AUTHENTICATION_HEADER, Wait, applyTableContentNgStyle, b64toBlob, base64ToFile, breakLinesForHtml, buildState, capitalizeFirstLetter, capitalizeWithSlash, clearArray, clone, cloneAndRemoveProperties, cloneAndRemoveProperty, compare, compareInsensitive, completeSubjectOnTheInstance, convertFormCreationFeature, convertFormFeature, convertFormFeatureFromInputData, convertFormUpdateFeature, count, createObjectFromString, createRound, createSubjectOnTheInstance, dataURLtoFile, databaseSmzAccessStates, debounce, deepClone, deepEqual, deepIndexOf, deepMerge, defaultFormsModuleConfig, defaultState, downloadBase64File, downloadFromServerUrl, downloadFromUrl, empty, every, executeTextPattern, featureSmzAccessStates, fixDate, fixDateProperties, fixDates, flatten, flattenObject, getAuthenticationInitialState, getCleanApplicationState, getFirst, getFirstElement, getFirstElements, getFormInputFromDialog, getGlobalInitialState, getInitialApplicationState, getInitialDatabaseStoreState, getInitialState$8 as getInitialState, getLastElements, getPreset, getProperty, getSymbol, getTreeNodeFromKey, getUiDefinitionsInitialState, getUiLocalizationInitialState, getUsersInitialState, getValidatorsForInput, handleBase64, isArray, isConvertibleToNumber, isDeepObject, isEmpty, isFunction$1 as isFunction, isInteger, isNil, isNull$1 as isNull, isNullOrEmptyString, isNumber$1 as isNumber, isNumberFinite$1 as isNumberFinite, isNumeric, isObject$2 as isObject, isObjectHelper, isPositive, isSimpleNamedEntity, isString$1 as isString, isUndefined$1 as isUndefined, isWithinTime, leftPad, longestStringInArray, mapParamsToObject, markAsDecorated, mergeClone, mergeDeep, nameof, namesof, ngxsModuleForFeatureFaqsDbState, ngxsModuleForFeatureUiAthenaLayoutState, ngxsModuleForFeatureUiHephaestusLayoutState, ngxsModuleForFeatureUiNewAthenaLayoutState, orderArrayByProperty, pad, provideSmzCoreLogging, provideSmzEnvironment, rbkSafeHtmlPipe, removeElementFromArray, replaceAll, replaceArrayItem, replaceArrayPartialItem, replaceItem, replaceNgOnInit, rightPad, routerModuleForChildUsersModule, routerParamsDispatch, routerParamsListener, setNestedObject, shorten, showConfirmation, showDialog, showMarkdownDialog, showMessage, showObjectDialog, showPersistentDialog, shuffle, sortArray, sortArrayOfObjects, sortArrayOfStrings, sortMenuItemsByLabel, sum, synchronizeNodes, synchronizeRow, synchronizeTable, synchronizeTrees, takeUntil, takeWhile, toDecimal, toSimpleNamedEntity, toString, unwrapDeep, upperFirst, uuidv4, wrapDeep };
|
|
56530
|
+
export { AUTHORIZATION_HEADER, AccessControlService, ActionDispatchDirective, ApplicationActions, ApplicationSelectors, ApplicationState, AsPipe, AthenaLayout, AthenaLayoutComponent, AthenaLayoutModule, AuthClaimDefinitions, AuthHandler, AuthService, AuthenticationActions, AuthenticationSelectors, AuthenticationService, AuthenticationState, AuthorizationService, AxisOverflowDirection, AxisOverflowType, AxisPosition, BaseApiService, BoilerplateService, BreadcrumbService, CLAIMS_PAGE_ROUTE, CLAIMS_PATH, CLAIMS_STATE_NAME, CONTENT_ENCODING_HEADER, CachedRouteReuseStrategy, CalendarComponent, CalendarPipe, CanAccess, ChartType, CheckBoxComponent, CheckBoxGroupComponent, ClaimAccessType, ClaimAccessTypeDescription, ClaimAccessTypeValues, ClaimsActions, ClaimsModule, ClaimsSelectors, ClaimsState, ClickStopPropagationDirective, ClickStopPropagationModule, ClonePipe, ColorPallete, ColorPickerComponent, Confirmable, CreateLinearChart, CreateRadialChart, CustomError, CustomNgForDirective, CustomNgForModule, DATABASE_REQUIRED_ACTIONS, DATABASE_STATES, DECORATOR_APPLIED, DatabaseActions, DatabaseSelectors, DatabaseState, DatasetType, DeepWrapper, DescribeAnyPipe, DescribeArrayPipe, DescribeSimpleNamedPipe, DialogContentManagerComponent, DialogService, DropdownComponent, DynamicDialogComponent, DynamicDialogConfig, DynamicDialogInjector, DynamicDialogModule, DynamicDialogRef, ERROR_HANDLING_TYPE_HEADER, ExcelsUiActions, FEATURE_STATES, FeaturesActions, FeaturesSelectors, FeaturesState, FileUploadComponent, FilterContains, FirstOrDefaultPipe, FormGroupComponent, FormSubmitComponent, GenericInjectComponentDirective, GetElementById, GetElementsByParentId, GlobalActions, GlobalFilter, GlobalInjector, GlobalLoaderComponent, GlobalLoaderModule, GlobalState, GroupingType, HephaestusLayout, HephaestusLayoutComponent, HephaestusLayoutModule, HephaestusProviderModule, HostElement, HttpErrorHandler, IGNORE_ERROR_HANDLING, InViewportMetadata, InjectComponentDirective, InjectComponentService, InjectContentAppModule, InjectContentDirective, InjectContentService, InputBlurDetectionModule, InputChangeDetectionDirective, InputClearExtensionDirective, InputCurrencyComponent, InputListComponent, InputMaskComponent, InputNumberComponent, InputPasswordComponent, InputSwitchComponent, InputTagAreaComponent, InputTextAreaComponent, InputTextComponent, InputTreeComponent, IsVisiblePipe, IsVisiblePipeModule, JoinPipe, LOADING_BEHAVIOR_HEADER, LOCAL_LOADING_TAG_HEADER, LayoutUiActions, LayoutUiSelectors, LayoutUiState, LegacyAuthenticationSelectors, LinearChartBuilder, LinkedDropdownComponent, LinkedMultiSelectComponent, LoggingScope, LoggingService, MAIN_LAYOUT_PATH, MentionableTextareaComponent, MenuHelperService, MenuType, MergeClonePipe, MergeClonePipeModule, MultiSelectComponent, NG_ON_INIT, NewAthenaLayout, NewAthenaLayoutComponent, NewAthenaLayoutModule, NewAthenaProviderModule, NgCloneDirective, NgCloneModule, NgIfLandscapeDirective, NgIfLandscapeDirectiveModule, NgIfPortraitDirective, NgIfPortraitDirectiveModule, NgVar, NgVarContext, NgVarModule, NgxRbkUtilsConfig, NgxRbkUtilsModule, NgxSmzCardsModule, NgxSmzCommentsModule, NgxSmzDataInfoModule, NgxSmzDataPipesModule, NgxSmzDialogsModule, NgxSmzDockModule, NgxSmzDocumentsModule, NgxSmzFaqsModule, NgxSmzFormsModule, NgxSmzLayoutsModule, NgxSmzMenuModule, NgxSmzMultiTablesModule, NgxSmzRouterParamsModule, NgxSmzSafeImageModule, NgxSmzServerImageModule, NgxSmzServerImageToBase64Module, NgxSmzSideContentModule, NgxSmzTablesModule, NgxSmzTimelineModule, NgxSmzTreeWithDetailsModule, NgxSmzTreesModule, NgxSmzUiBlockModule, NgxSmzUiComponent, NgxSmzUiConfig, NgxSmzUiGuidesModule, NgxSmzUiModule, NgxSmzViewportModule, PrettyJsonPipe$1 as PrettyJsonPipe, PrettyJsonPipeModule, PrimeConfigService, REFRESH_TOKEN_BEHAVIOR_HEADER, RESTORE_STATE_ON_ERROR_HEADER, ROLES_PAGE_ROUTE, ROLES_PATH, ROLES_STATE_NAME, RadialChartBuilder, RadioButtonComponent, RbkAccessControlModule, RbkAuthGuard, RbkCanAccessAnyPipe, RbkCanAccessPipe, RbkClaimGuardDirective, RbkDatabaseStateGuard, RbkFeatureStateGuard, RbkPipesModule, RbkTableFilterClearDirectivesModule, RegistrySmzUiConfiguration, RepositoryForm, RoleMode, RoleModeDescription, RoleModeValues, RoleSource, RoleSourceDescription, RoleSourceValues, RolesActions, RolesModule, RolesSelectors, RolesState, RouterParamsActions, RouterParamsSelectors, SMZ_CORE_LOGGING_CONFIG, SMZ_UI_ENVIRONMENT_CONFIG, SafeHtmlPipe$2 as SafeHtmlPipe, SafeImageDirective, SafeUrlPipe$1 as SafeUrlPipe, SelectorPipe, ServerImageDirective, ServerImageToBase64Directive, ServerPathPipe, SetTemplateClasses, SetTemplateClassesPipe, SidebarState, SimpleCalendarPipe, SmzActionDispatchModule, SmzAuthorizationDeactivatedUsersTableBuilder, SmzAuthorizationUsersTableBuilder, SmzBaseColumnBuilder, SmzBaseEditableBuilder, SmzBreakpoints, SmzBuilderUtilities, SmzCardsBuilder, SmzCardsComponent, SmzCardsContentType, SmzCardsInjectableComponentBuilder, SmzCardsTemplate, SmzCardsView, SmzChartComponent, SmzChartModule, SmzClipboardService, SmzColumnCollectionBuilder, SmzCommentsBuilder, SmzCommentsComponent, SmzCommentsSectionComponent, SmzContentTheme, SmzContentThemes, SmzContentType, SmzControlType, SmzCoreLogging, SmzCurrencyColumnBuilder, SmzCustomColumnBuilder, SmzDataInfoComponent, SmzDataTransformColumnBuilder, SmzDataTransformTreePipe, SmzDateColumnBuilder, SmzDialogBuilder, SmzDialogComponentBuilder, SmzDialogFormBuilder, SmzDialogTableBuilder, SmzDialogsConfig, SmzDialogsPresets, SmzDialogsService, SmzDockComponent, SmzDockService, SmzDocumentBaseCellBuilder, SmzDocumentBuilder, SmzDocumentComponent, SmzDocumentsService, SmzDragDropModule, SmzDraggable, SmzDropdownEditableBuilder, SmzDroppable, SmzDynamicDialogConfig, SmzEasyBaseColumnBuilder, SmzEasyColumnCollectionBuilder, SmzEasyCustomColumnBuilder, SmzEasyDataTransformColumnBuilder, SmzEasyDateColumnBuilder, SmzEasyMenuTableBuilder, SmzEasyTableBuilder, SmzEasyTableComponent, SmzEasyTableContentType, SmzEasyTableModule, SmzEasyTextColumnBuilder, SmzEditableCollectionBuilder, SmzEditableTableBuilder, SmzEditableType, SmzEnvironment, SmzExcelColorDefinitions, SmzExcelDataDefinitions, SmzExcelFontDefinitions, SmzExcelService, SmzExcelSortOrderDefinitions, SmzExcelThemeDefinitions, SmzExcelTypeDefinitions, SmzExcelsBuilder, SmzExportDialogComponent, SmzExportDialogModule, SmzExportDialogService, SmzExportableContentSource, SmzExportableContentType, SmzFaqsComponent, SmzFaqsConfig, SmzFilterType, SmzFlattenMenuPipe, SmzFlipCardContext, SmzFormBuilder, SmzFormViewdata, SmzFormsConfig, SmzFormsPresets, SmzFormsRepositoryService, SmzGaugeBuilder, SmzGaugeComponent, SmzGaugeThresholdBuilder, SmzGetDataPipe, SmzGridItemComponent, SmzHelpDialogService, SmzHtmlViewerComponent, SmzHtmlViewerModule, SmzIconColumnBuilder, SmzIconMessageComponent, SmzInfoDateComponent, SmzInfoDateModule, SmzInitialPipe, SmzInputAutocompleteTagArea, SmzInputTextModule, SmzInputTextPipe, SmzLayoutsConfig, SmzLoader, SmzLoaders, SmzLoginBuilder, SmzLoginComponent, SmzLoginModule, SmzMenuBuilder, SmzMenuComponent, SmzMenuCreationBuilder, SmzMenuCreationItemBuilder, SmzMenuItemActionsDirective, SmzMenuItemBuilder, SmzMenuItemEasyTableBuilder, SmzMenuItemTableBuilder, SmzMenuTableBuilder, SmzMessagesModule, SmzMultiTablesBuilder, SmzMultiTablesComponent, SmzNumberEditableBuilder, SmzPresets, SmzProxyStore, SmzResponsiveBreakpointsDirective, SmzResponsiveBreakpointsDirectiveModule, SmzResponsiveComponent, SmzRouteDatas, SmzRouteParams, SmzRouteQueryParams, SmzSideContentComponent, SmzSideContentDefault, SmzSincronizeTablePipe, SmzSmartTag, SmzSmartTagModule, SmzSubmitComponent, SmzSvgBuilder, SmzSvgComponent, SmzSvgFeatureBuilder, SmzSvgModule, SmzSvgPinBuilder, SmzSvgRootBuilder, SmzSvgWorldCoordinates, SmzSwitchEditableBuilder, SmzTableBuilder, SmzTableComponent, SmzTablesConfig, SmzTagMessage, SmzTailPipe, SmzTemplatesPipeModule, SmzTenantSwitchComponent, SmzTextColumnBuilder, SmzTextEditableBuilder, SmzTextPattern, SmzTimelineBuilder, SmzTimelineComponent, SmzToastComponent, SmzToastModule, SmzTooltipTouchSupportModule, SmzTreeBuilder, SmzTreeComponent, SmzTreeDragAndDropBuilder, SmzTreeDropBuilder, SmzTreeDynamicMenuBuilder, SmzTreeDynamicMenuItemBuilder, SmzTreeEmptyFeedbackBuilder, SmzTreeMenuBuilder, SmzTreeMenuItemBuilder, SmzTreeToolbarBuilder, SmzTreeToolbarButtonBuilder, SmzTreeToolbarButtonCollectionBuilder, SmzTreeWithDetailsBuilder, SmzTreeWithDetailsComponent, SmzUiBlockComponent, SmzUiBlockDirective, SmzUiBlockService, SmzUiBuilder, SmzUiEnvironment, SmzUiGuidesBuilder, SmzUiGuidesService, SmzViewportDirective, SmzViewportService, StandaloneInjectComponentDirective, StateBuilderPipe, TENANTS_PAGE_ROUTE, TENANTS_PATH, TENANTS_STATE_NAME, TableClearExtensionDirective, TableHelperService, TenantAuthenticationSelectors, TenantsActions, TenantsModule, TenantsSelectors, TenantsState, ThemeManagerService, TitleService, Toast, ToastActions, ToastItem, ToastService, TooltipTouchSupportDirective, TreeHelperService, TreeHelpers, Tunnel, UI_DEFINITIONS_STATE_NAME, UI_LOCALIZATION_STATE_NAME, USERS_PAGE_ROUTE, USERS_PATH, USERS_STATE_NAME, USER_ID_HEADER, LayoutUiActions as UiActions, UiDefinitionsDbActions, UiDefinitionsDbSelectors, UiDefinitionsDbState, UiDefinitionsService, UiLocalizationDbActions, UiLocalizationDbSelectors, UiLocalizationDbState, UiLocalizationService, LayoutUiSelectors as UiSelectors, UniqueFilterPipe, UrlCheckerPipe, UrlCheckerPipeModule, UsersActions, UsersModule, UsersSelectors, UsersState, WINDOWS_AUTHENTICATION_HEADER, Wait, applyTableContentNgStyle, b64toBlob, base64ToFile, breakLinesForHtml, buildState, capitalizeFirstLetter, capitalizeWithSlash, clearArray, clone, cloneAndRemoveProperties, cloneAndRemoveProperty, compare, compareInsensitive, completeSubjectOnTheInstance, convertFormCreationFeature, convertFormFeature, convertFormFeatureFromInputData, convertFormUpdateFeature, count, createObjectFromString, createRound, createSubjectOnTheInstance, dataURLtoFile, databaseSmzAccessStates, debounce, deepClone, deepEqual, deepIndexOf, deepMerge, defaultFormsModuleConfig, defaultState, downloadBase64File, downloadFromServerUrl, downloadFromUrl, empty, every, executeTextPattern, featureSmzAccessStates, fixDate$1 as fixDate, fixDateProperties, fixDates, flatten, flattenObject, getAuthenticationInitialState, getCleanApplicationState, getFirst, getFirstElement, getFirstElements, getFormInputFromDialog, getGlobalInitialState, getInitialApplicationState, getInitialDatabaseStoreState, getInitialState$8 as getInitialState, getLastElements, getPreset, getProperty, getSymbol, getTreeNodeFromKey, getUiDefinitionsInitialState, getUiLocalizationInitialState, getUsersInitialState, getValidatorsForInput, handleBase64, isArray, isConvertibleToNumber, isDeepObject, isEmpty$1 as isEmpty, isFunction$1 as isFunction, isInteger, isNil, isNull$1 as isNull, isNullOrEmptyString, isNumber$1 as isNumber, isNumberFinite$1 as isNumberFinite, isNumeric, isObject$2 as isObject, isObjectHelper, isPositive, isSimpleNamedEntity, isString$1 as isString, isUndefined$1 as isUndefined, isWithinTime, leftPad, longestStringInArray, mapParamsToObject, markAsDecorated, mergeClone, mergeDeep, nameof, namesof, ngxsModuleForFeatureFaqsDbState, ngxsModuleForFeatureUiAthenaLayoutState, ngxsModuleForFeatureUiHephaestusLayoutState, ngxsModuleForFeatureUiNewAthenaLayoutState, normalizeDateToUtc, orderArrayByProperty, pad, provideSmzCoreLogging, provideSmzEnvironment, rbkSafeHtmlPipe, removeElementFromArray, replaceAll, replaceArrayItem, replaceArrayPartialItem, replaceItem, replaceNgOnInit, rightPad, routerModuleForChildUsersModule, routerParamsDispatch, routerParamsListener, setNestedObject, shorten, showConfirmation, showDialog, showMarkdownDialog, showMessage, showObjectDialog, showPersistentDialog, shuffle, sortArray, sortArrayOfObjects, sortArrayOfStrings, sortMenuItemsByLabel, sum, synchronizeNodes, synchronizeRow, synchronizeTable, synchronizeTrees, takeUntil, takeWhile, toDecimal, toSimpleNamedEntity, toString, unwrapDeep, upperFirst, uuidv4, wrapDeep };
|
|
56517
56531
|
//# sourceMappingURL=ngx-smz-core.mjs.map
|