diff --git a/backend/pom.xml b/backend/pom.xml index 3c4b755..7d96188 100644 --- a/backend/pom.xml +++ b/backend/pom.xml @@ -167,6 +167,14 @@ org.postgresql postgresql + + org.springframework.kafka + spring-kafka + + + org.apache.kafka + kafka-clients + ${project.parent.artifactId} diff --git a/backend/src/main/java/AppConfig.java b/backend/src/main/java/AppConfig.java index 9c1d462..d9b024a 100644 --- a/backend/src/main/java/AppConfig.java +++ b/backend/src/main/java/AppConfig.java @@ -22,8 +22,10 @@ import org.springframework.context.annotation.Configuration; import org.springframework.context.annotation.EnableAspectJAutoProxy; import org.springframework.context.annotation.FilterType; import org.springframework.context.support.PropertySourcesPlaceholderConfigurer; +import org.springframework.http.client.HttpComponentsClientHttpRequestFactory; import org.springframework.scheduling.annotation.EnableScheduling; import org.springframework.scheduling.concurrent.ThreadPoolTaskScheduler; +import org.springframework.web.client.RestTemplate; import org.springframework.web.servlet.config.annotation.EnableWebMvc; /** @@ -117,4 +119,10 @@ public class AppConfig { throw new AppInitializeException(e); } } + + @Bean + public RestTemplate restTemplate() { + return new RestTemplate(); + } + } diff --git a/backend/src/main/java/ervu_business_metrics/config/IdmReconcileEnabledCondition.java b/backend/src/main/java/ervu_business_metrics/config/IdmReconcileEnabledCondition.java new file mode 100644 index 0000000..2af5f0d --- /dev/null +++ b/backend/src/main/java/ervu_business_metrics/config/IdmReconcileEnabledCondition.java @@ -0,0 +1,19 @@ +package ervu_business_metrics.config; + +import org.springframework.context.annotation.Condition; +import org.springframework.context.annotation.ConditionContext; +import org.springframework.core.env.Environment; +import org.springframework.core.type.AnnotatedTypeMetadata; + +/** + * @author Adel Kalimullin + */ +public class IdmReconcileEnabledCondition implements Condition { + private static final String ERVU_RECONCILE_ENABLED = "ervu.idm.reconcile.enabled"; + + @Override + public boolean matches(ConditionContext context, AnnotatedTypeMetadata metadata) { + Environment env = context.getEnvironment(); + return Boolean.parseBoolean(env.getProperty(ERVU_RECONCILE_ENABLED, "true")); + } +} diff --git a/backend/src/main/java/ervu_business_metrics/dao/IdmDirectoriesDao.java b/backend/src/main/java/ervu_business_metrics/dao/IdmDirectoriesDao.java new file mode 100644 index 0000000..0a497ba --- /dev/null +++ b/backend/src/main/java/ervu_business_metrics/dao/IdmDirectoriesDao.java @@ -0,0 +1,112 @@ +package ervu_business_metrics.dao; + +import java.util.HashSet; +import java.util.List; +import java.util.Set; + +import ervu_business_metrics.config.IdmReconcileEnabledCondition; +import org.jooq.DSLContext; +import org.springframework.context.annotation.Conditional; +import org.springframework.stereotype.Repository; +import ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.tables.records.AccountRecord; +import ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.tables.records.AccountRoleRecord; +import ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.tables.records.DomainRecord; +import ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.tables.records.RoleRecord; + +import static ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.Tables.ACCOUNT; +import static ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.Tables.ACCOUNT_ROLE; +import static ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.Tables.DOMAIN; +import static ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.Tables.ROLE; + +/** + * @author Adel Kalimullin + */ +@Repository +@Conditional(IdmReconcileEnabledCondition.class) +public class IdmDirectoriesDao { + private final DSLContext dsl; + + public IdmDirectoriesDao(DSLContext dsl) { + this.dsl = dsl; + } + + public RoleRecord getRoleRecord() { + return dsl.newRecord(ROLE); + } + + public DomainRecord getDomainRecord() { + return dsl.newRecord(DOMAIN); + } + + public AccountRecord getAccountRecord() { + return dsl.newRecord(ACCOUNT); + } + + public AccountRoleRecord getAccountRoleRecord() { + return dsl.newRecord(ACCOUNT_ROLE); + } + + public Set getAccountIds() { + return dsl.select(ACCOUNT.ID) + .from(ACCOUNT) + .fetchSet(ACCOUNT.ID); + } + + public Set getRoleIds() { + return dsl.select(ROLE.ID) + .from(ROLE) + .fetchSet(ROLE.ID); + } + + public Set getDomainIds() { + return dsl.select(DOMAIN.ID) + .from(DOMAIN) + .fetchSet(DOMAIN.ID); + } + + public void insertDomainRecords(List domainRecords) { + dsl.batchInsert(domainRecords).execute(); + } + + public void updateDomainRecords(List domainRecords) { + dsl.batchUpdate(domainRecords).execute(); + } + + public void insertRoleRecords(List newRoleRecords) { + dsl.batchInsert(newRoleRecords).execute(); + } + + public void updateRoleRecords(List roleRecords) { + dsl.batchUpdate(roleRecords).execute(); + } + + public void insertAccountRecords(List newAccountRecords) { + dsl.batchInsert(newAccountRecords).execute(); + } + + public void updateAccountRecords(List accountRecords) { + dsl.batchUpdate(accountRecords).execute(); + } + + public void insertAccountRoleRecords(List newAccountRoleRecords) { + dsl.batchInsert(newAccountRoleRecords).execute(); + } + + public void deleteAccountRolesByAccountIds(List accountIds) { + dsl.deleteFrom(ACCOUNT_ROLE) + .where(ACCOUNT_ROLE.ACCOUNT_ID.in(accountIds)) + .execute(); + } + + public void deleteAccountByIds(List accountIds) { + dsl.deleteFrom(ACCOUNT) + .where(ACCOUNT.ID.in(accountIds)) + .execute(); + } + + public void deleteDomainsByIds(List domainIds) { + dsl.deleteFrom(DOMAIN) + .where(DOMAIN.ID.in(domainIds)) + .execute(); + } +} diff --git a/backend/src/main/java/ervu_business_metrics/kafka/KafkaConfig.java b/backend/src/main/java/ervu_business_metrics/kafka/KafkaConfig.java new file mode 100644 index 0000000..0fd473b --- /dev/null +++ b/backend/src/main/java/ervu_business_metrics/kafka/KafkaConfig.java @@ -0,0 +1,71 @@ +package ervu_business_metrics.kafka; + +import java.util.HashMap; +import java.util.Map; + +import ervu_business_metrics.config.IdmReconcileEnabledCondition; +import org.apache.kafka.clients.CommonClientConfigs; +import org.apache.kafka.clients.consumer.ConsumerConfig; +import org.apache.kafka.common.config.SaslConfigs; +import org.apache.kafka.common.serialization.StringDeserializer; +import org.springframework.beans.factory.annotation.Value; +import org.springframework.context.annotation.Bean; +import org.springframework.context.annotation.Conditional; +import org.springframework.context.annotation.Configuration; +import org.springframework.kafka.annotation.EnableKafka; +import org.springframework.kafka.config.ConcurrentKafkaListenerContainerFactory; +import org.springframework.kafka.config.KafkaListenerEndpointRegistry; +import org.springframework.kafka.core.ConsumerFactory; +import org.springframework.kafka.core.DefaultKafkaConsumerFactory; + +/** + * @author Adel Kalimullin + */ +@Configuration +@EnableKafka +@Conditional(IdmReconcileEnabledCondition.class) +public class KafkaConfig { + @Value("${kafka.hosts}") + private String bootstrapServers; + @Value("${kafka.auth_sec_proto}") + private String securityProtocol; + @Value("${kafka.auth_sasl_module}") + private String loginModule; + @Value("${kafka.user}") + private String username; + @Value("${kafka.pass}") + private String password; + @Value("${kafka.auth_sasl_mech}") + private String saslMechanism; + + @Bean + public KafkaListenerEndpointRegistry kafkaListenerEndpointRegistry() { + return new KafkaListenerEndpointRegistry(); + } + + @Bean + public ConsumerFactory consumerFactory() { + return new DefaultKafkaConsumerFactory<>(consumerConfigs()); + } + + @Bean + public Map consumerConfigs() { + Map props = new HashMap<>(); + props.put(ConsumerConfig.BOOTSTRAP_SERVERS_CONFIG, bootstrapServers); + props.put(ConsumerConfig.KEY_DESERIALIZER_CLASS_CONFIG, StringDeserializer.class); + props.put(ConsumerConfig.VALUE_DESERIALIZER_CLASS_CONFIG, StringDeserializer.class); + props.put(CommonClientConfigs.SECURITY_PROTOCOL_CONFIG, securityProtocol); + props.put(SaslConfigs.SASL_JAAS_CONFIG, loginModule + " required username=\"" + + username + "\" password=\"" + password + "\";"); + props.put(SaslConfigs.SASL_MECHANISM, saslMechanism); + props.put(ConsumerConfig.AUTO_OFFSET_RESET_CONFIG, "latest"); + return props; + } + + @Bean + public ConcurrentKafkaListenerContainerFactory kafkaListenerContainerFactory() { + ConcurrentKafkaListenerContainerFactory factory = new ConcurrentKafkaListenerContainerFactory<>(); + factory.setConsumerFactory(consumerFactory()); + return factory; + } +} diff --git a/backend/src/main/java/ervu_business_metrics/kafka/KafkaConsumerInitializer.java b/backend/src/main/java/ervu_business_metrics/kafka/KafkaConsumerInitializer.java new file mode 100644 index 0000000..fa362fa --- /dev/null +++ b/backend/src/main/java/ervu_business_metrics/kafka/KafkaConsumerInitializer.java @@ -0,0 +1,38 @@ +package ervu_business_metrics.kafka; + +import javax.annotation.PostConstruct; + +import ervu_business_metrics.config.IdmReconcileEnabledCondition; +import ervu_business_metrics.service.IdmDirectoriesService; +import org.springframework.context.annotation.Conditional; +import org.springframework.context.annotation.DependsOn; +import org.springframework.stereotype.Component; + +/** + * @author Adel Kalimullin + */ +@Component +@DependsOn("idmDirectoriesListener") +@Conditional(IdmReconcileEnabledCondition.class) +public class KafkaConsumerInitializer { + private final IdmDirectoriesService idmDirectoriesService; + + public KafkaConsumerInitializer(IdmDirectoriesService idmDirectoriesService) { + this.idmDirectoriesService = idmDirectoriesService; + } + + @PostConstruct + public void initialize() { + new Thread(this::runWithSleep).start(); + } + + private void runWithSleep() { + try { + Thread.sleep(10000); + } + catch (InterruptedException e) { + throw new RuntimeException(e); + } + idmDirectoriesService.updateDirectories(); + } +} diff --git a/backend/src/main/java/ervu_business_metrics/kafka/listener/IdmDirectoriesListener.java b/backend/src/main/java/ervu_business_metrics/kafka/listener/IdmDirectoriesListener.java new file mode 100644 index 0000000..eda5cf5 --- /dev/null +++ b/backend/src/main/java/ervu_business_metrics/kafka/listener/IdmDirectoriesListener.java @@ -0,0 +1,68 @@ +package ervu_business_metrics.kafka.listener; + +import ervu_business_metrics.config.IdmReconcileEnabledCondition; +import ervu_business_metrics.model.AccountData; +import ervu_business_metrics.model.DomainData; +import ervu_business_metrics.model.RoleData; +import ervu_business_metrics.service.IdmDirectoriesService; +import org.springframework.context.annotation.Conditional; +import org.springframework.kafka.annotation.KafkaListener; +import org.springframework.stereotype.Component; + +/** + * @author Adel Kalimullin + */ +@Component +@Conditional(IdmReconcileEnabledCondition.class) +public class IdmDirectoriesListener { + private final IdmDirectoriesService idmDirectoriesService; + + public IdmDirectoriesListener(IdmDirectoriesService idmDirectoriesService) { + this.idmDirectoriesService = idmDirectoriesService; + } + + @KafkaListener(id = "${kafka.domain.group.id}", topics = "${kafka.domain.reconciliation}") + public void listenKafkaDomain(String kafkaMessage) { + idmDirectoriesService.processUpsertMessage(kafkaMessage, DomainData.class); + } + + @KafkaListener(id = "${kafka.role.group.id}", topics = "${kafka.role.reconciliation}") + public void listenKafkaRole(String kafkaMessage) { + idmDirectoriesService.processUpsertMessage(kafkaMessage, RoleData.class); + } + + @KafkaListener(id = "${kafka.account.group.id}", topics = "${kafka.account.reconciliation}") + public void listenKafkaAccount(String kafkaMessage) { + idmDirectoriesService.processUpsertMessage(kafkaMessage, AccountData.class); + } + + @KafkaListener(id = "${kafka.domain.updated.group.id}", topics = "${kafka.domain.updated}") + public void listenKafkaDomainUpdated(String kafkaMessage) { + idmDirectoriesService.processUpsertMessage(kafkaMessage, DomainData.class); + } + + @KafkaListener(id = "${kafka.domain.created.group.id}", topics = "${kafka.domain.created}") + public void listenKafkaDomainCreated(String kafkaMessage) { + idmDirectoriesService.processUpsertMessage(kafkaMessage, DomainData.class); + } + + @KafkaListener(id = "${kafka.account.updated.group.id}", topics = "${kafka.account.updated}") + public void listenKafkaAccountUpdated(String kafkaMessage) { + idmDirectoriesService.processUpsertMessage(kafkaMessage, AccountData.class); + } + + @KafkaListener(id = "${kafka.account.created.group.id}", topics = "${kafka.account.created}") + public void listenKafkaAccountCreated(String kafkaMessage) { + idmDirectoriesService.processUpsertMessage(kafkaMessage, AccountData.class); + } + + @KafkaListener(id = "${kafka.domain.deleted.group.id}", topics = "${kafka.domain.deleted}") + public void listenKafkaDomainDeleted(String kafkaMessage) { + idmDirectoriesService.processDeleteMessage(kafkaMessage, DomainData.class); + } + + @KafkaListener(id = "${kafka.account.deleted.group.id}", topics = "${kafka.account.deleted}") + public void listenKafkaAccountDeleted(String kafkaMessage) { + idmDirectoriesService.processDeleteMessage(kafkaMessage, AccountData.class); + } +} diff --git a/backend/src/main/java/ervu_business_metrics/kafka/model/DeleteKafkaMessage.java b/backend/src/main/java/ervu_business_metrics/kafka/model/DeleteKafkaMessage.java new file mode 100644 index 0000000..0382c67 --- /dev/null +++ b/backend/src/main/java/ervu_business_metrics/kafka/model/DeleteKafkaMessage.java @@ -0,0 +1,47 @@ +package ervu_business_metrics.kafka.model; + +import java.util.List; + +import com.fasterxml.jackson.annotation.JsonIgnoreProperties; + +/** + * @author Adel Kalimullin + */ +@JsonIgnoreProperties(ignoreUnknown = true) +public class DeleteKafkaMessage { + private boolean success; + private String message; + private List data; + private String origin; + public List getData() { + return data; + } + + public void setData(List data) { + this.data = data; + } + + public boolean isSuccess() { + return success; + } + + public void setSuccess(boolean success) { + this.success = success; + } + + public String getMessage() { + return message; + } + + public void setMessage(String message) { + this.message = message; + } + + public String getOrigin() { + return origin; + } + + public void setOrigin(String origin) { + this.origin = origin; + } +} diff --git a/backend/src/main/java/ervu_business_metrics/kafka/model/UpsertMessage.java b/backend/src/main/java/ervu_business_metrics/kafka/model/UpsertMessage.java new file mode 100644 index 0000000..220dafc --- /dev/null +++ b/backend/src/main/java/ervu_business_metrics/kafka/model/UpsertMessage.java @@ -0,0 +1,21 @@ +package ervu_business_metrics.kafka.model; + +import java.util.List; + +import com.fasterxml.jackson.annotation.JsonIgnoreProperties; + +/** + * @author Adel Kalimullin + */ +@JsonIgnoreProperties(ignoreUnknown = true) +public class UpsertMessage{ + private List data; + + public List getData() { + return data; + } + + public void setData(List data) { + this.data = data; + } +} diff --git a/backend/src/main/java/ervu_business_metrics/model/AccountData.java b/backend/src/main/java/ervu_business_metrics/model/AccountData.java new file mode 100644 index 0000000..938965a --- /dev/null +++ b/backend/src/main/java/ervu_business_metrics/model/AccountData.java @@ -0,0 +1,135 @@ +package ervu_business_metrics.model; + +import java.util.List; + +import com.fasterxml.jackson.annotation.JsonIgnoreProperties; +import com.fasterxml.jackson.annotation.JsonProperty; +import com.fasterxml.jackson.databind.annotation.JsonDeserialize; +import ervu_business_metrics.model.deserializer.ReferenceEntityDeserializer; + +/** + * @author Adel Kalimullin + */ +@JsonIgnoreProperties(ignoreUnknown = true) +public class AccountData { + private String id; + private int version; + private long modified; + private String schema; + private String start; + private String finish; + private boolean enabled; + private String position; + private String fio; + private String workMail; + private boolean esiaAccount; + @JsonProperty("user-domain") + @JsonDeserialize(using = ReferenceEntityDeserializer.class) + private ReferenceEntity userDomain; + private List roles; + + public String getId() { + return id; + } + + public void setId(String id) { + this.id = id; + } + + public int getVersion() { + return version; + } + + public void setVersion(int version) { + this.version = version; + } + + public long getModified() { + return modified; + } + + public void setModified(long modified) { + this.modified = modified; + } + + public String getSchema() { + return schema; + } + + public void setSchema(String schema) { + this.schema = schema; + } + + public String getStart() { + return start; + } + + public void setStart(String start) { + this.start = start; + } + + public String getFinish() { + return finish; + } + + public void setFinish(String finish) { + this.finish = finish; + } + + public boolean isEnabled() { + return enabled; + } + + public void setEnabled(boolean enabled) { + this.enabled = enabled; + } + + public String getPosition() { + return position; + } + + public void setPosition(String position) { + this.position = position; + } + + public String getFio() { + return fio; + } + + public void setFio(String fio) { + this.fio = fio; + } + + public String getWorkMail() { + return workMail; + } + + public void setWorkMail(String workMail) { + this.workMail = workMail; + } + + public boolean isEsiaAccount() { + return esiaAccount; + } + + public void setEsiaAccount(boolean esiaAccount) { + this.esiaAccount = esiaAccount; + } + + public ReferenceEntity getUserDomain() { + return userDomain; + } + + public void setUserDomain(ReferenceEntity userDomain) { + this.userDomain = userDomain; + } + + public List getRoles() { + return roles; + } + + public void setRoles(List roles) { + this.roles = roles; + } +} + diff --git a/backend/src/main/java/ervu_business_metrics/model/DomainData.java b/backend/src/main/java/ervu_business_metrics/model/DomainData.java new file mode 100644 index 0000000..de3db50 --- /dev/null +++ b/backend/src/main/java/ervu_business_metrics/model/DomainData.java @@ -0,0 +1,460 @@ +package ervu_business_metrics.model; + +import com.fasterxml.jackson.annotation.JsonIgnoreProperties; + +/** + * @author Adel Kalimullin + */ +@JsonIgnoreProperties(ignoreUnknown = true) +public class DomainData { + private String id; + private int version; + private long modified; + private String schema; + private String name; + private String shortname; + private String fullname; + private String dns; + private String email; + private String phone; + private String address; + private String postalAddress; + private String addressId; + private String postalAddressId; + private String militaryCode; + private String timezone; + private boolean reportsEnabled; + private String inn; + private String leg; + private String ogrn; + private String region; + private String epguId; + private String type; + private boolean esiaEmployeeAuthorization; + private String defaultS3Bucket; + private String opf; + private String kpp; + private String checkingAccount; + private String bik; + private String bankName; + private String bankCorrespondentAccount; + private String oktmo; + private String okato; + private String govRegistrationDate; + private String govOrganizationType; + private String aliasKey; + private String passKey; + private String certificate; + private String accountNumberTOFK; + private String bikTOFK; + private String correspondentBankAccountTOFK; + private String nameTOFK; + private String nsiOrganizationId; + private String docHandle; + private String divisionType; + private String tnsDepartmentId; + private boolean enabled; + private String parent; + private String regionId; + private String managed; + + public String getId() { + return id; + } + + public void setId(String id) { + this.id = id; + } + + public int getVersion() { + return version; + } + + public void setVersion(int version) { + this.version = version; + } + + public long getModified() { + return modified; + } + + public void setModified(long modified) { + this.modified = modified; + } + + public String getSchema() { + return schema; + } + + public void setSchema(String schema) { + this.schema = schema; + } + + public String getName() { + return name; + } + + public void setName(String name) { + this.name = name; + } + + public String getShortname() { + return shortname; + } + + public void setShortname(String shortname) { + this.shortname = shortname; + } + + public String getFullname() { + return fullname; + } + + public void setFullname(String fullname) { + this.fullname = fullname; + } + + public String getDns() { + return dns; + } + + public void setDns(String dns) { + this.dns = dns; + } + + public String getEmail() { + return email; + } + + public void setEmail(String email) { + this.email = email; + } + + public String getPhone() { + return phone; + } + + public void setPhone(String phone) { + this.phone = phone; + } + + public String getAddress() { + return address; + } + + public void setAddress(String address) { + this.address = address; + } + + public String getPostalAddress() { + return postalAddress; + } + + public void setPostalAddress(String postalAddress) { + this.postalAddress = postalAddress; + } + + public String getAddressId() { + return addressId; + } + + public void setAddressId(String addressId) { + this.addressId = addressId; + } + + public String getPostalAddressId() { + return postalAddressId; + } + + public void setPostalAddressId(String postalAddressId) { + this.postalAddressId = postalAddressId; + } + + public String getMilitaryCode() { + return militaryCode; + } + + public void setMilitaryCode(String militaryCode) { + this.militaryCode = militaryCode; + } + + public String getTimezone() { + return timezone; + } + + public void setTimezone(String timezone) { + this.timezone = timezone; + } + + public boolean isReportsEnabled() { + return reportsEnabled; + } + + public void setReportsEnabled(boolean reportsEnabled) { + this.reportsEnabled = reportsEnabled; + } + + public String getInn() { + return inn; + } + + public void setInn(String inn) { + this.inn = inn; + } + + public String getLeg() { + return leg; + } + + public void setLeg(String leg) { + this.leg = leg; + } + + public String getOgrn() { + return ogrn; + } + + public void setOgrn(String ogrn) { + this.ogrn = ogrn; + } + + public String getRegion() { + return region; + } + + public void setRegion(String region) { + this.region = region; + } + + public String getEpguId() { + return epguId; + } + + public void setEpguId(String epguId) { + this.epguId = epguId; + } + + public String getType() { + return type; + } + + public void setType(String type) { + this.type = type; + } + + public boolean isEsiaEmployeeAuthorization() { + return esiaEmployeeAuthorization; + } + + public void setEsiaEmployeeAuthorization(boolean esiaEmployeeAuthorization) { + this.esiaEmployeeAuthorization = esiaEmployeeAuthorization; + } + + public String getDefaultS3Bucket() { + return defaultS3Bucket; + } + + public void setDefaultS3Bucket(String defaultS3Bucket) { + this.defaultS3Bucket = defaultS3Bucket; + } + + public String getOpf() { + return opf; + } + + public void setOpf(String opf) { + this.opf = opf; + } + + public String getKpp() { + return kpp; + } + + public void setKpp(String kpp) { + this.kpp = kpp; + } + + public String getCheckingAccount() { + return checkingAccount; + } + + public void setCheckingAccount(String checkingAccount) { + this.checkingAccount = checkingAccount; + } + + public String getBik() { + return bik; + } + + public void setBik(String bik) { + this.bik = bik; + } + + public String getBankName() { + return bankName; + } + + public void setBankName(String bankName) { + this.bankName = bankName; + } + + public String getBankCorrespondentAccount() { + return bankCorrespondentAccount; + } + + public void setBankCorrespondentAccount(String bankCorrespondentAccount) { + this.bankCorrespondentAccount = bankCorrespondentAccount; + } + + public String getOktmo() { + return oktmo; + } + + public void setOktmo(String oktmo) { + this.oktmo = oktmo; + } + + public String getOkato() { + return okato; + } + + public void setOkato(String okato) { + this.okato = okato; + } + + public String getGovRegistrationDate() { + return govRegistrationDate; + } + + public void setGovRegistrationDate(String govRegistrationDate) { + this.govRegistrationDate = govRegistrationDate; + } + + public String getGovOrganizationType() { + return govOrganizationType; + } + + public void setGovOrganizationType(String govOrganizationType) { + this.govOrganizationType = govOrganizationType; + } + + public String getAliasKey() { + return aliasKey; + } + + public void setAliasKey(String aliasKey) { + this.aliasKey = aliasKey; + } + + public String getPassKey() { + return passKey; + } + + public void setPassKey(String passKey) { + this.passKey = passKey; + } + + public String getCertificate() { + return certificate; + } + + public void setCertificate(String certificate) { + this.certificate = certificate; + } + + public String getAccountNumberTOFK() { + return accountNumberTOFK; + } + + public void setAccountNumberTOFK(String accountNumberTOFK) { + this.accountNumberTOFK = accountNumberTOFK; + } + + public String getBikTOFK() { + return bikTOFK; + } + + public void setBikTOFK(String bikTOFK) { + this.bikTOFK = bikTOFK; + } + + public String getCorrespondentBankAccountTOFK() { + return correspondentBankAccountTOFK; + } + + public void setCorrespondentBankAccountTOFK(String correspondentBankAccountTOFK) { + this.correspondentBankAccountTOFK = correspondentBankAccountTOFK; + } + + public String getNameTOFK() { + return nameTOFK; + } + + public void setNameTOFK(String nameTOFK) { + this.nameTOFK = nameTOFK; + } + + public String getNsiOrganizationId() { + return nsiOrganizationId; + } + + public void setNsiOrganizationId(String nsiOrganizationId) { + this.nsiOrganizationId = nsiOrganizationId; + } + + public String getDocHandle() { + return docHandle; + } + + public void setDocHandle(String docHandle) { + this.docHandle = docHandle; + } + + public String getDivisionType() { + return divisionType; + } + + public void setDivisionType(String divisionType) { + this.divisionType = divisionType; + } + + public String getTnsDepartmentId() { + return tnsDepartmentId; + } + + public void setTnsDepartmentId(String tnsDepartmentId) { + this.tnsDepartmentId = tnsDepartmentId; + } + + public boolean isEnabled() { + return enabled; + } + + public void setEnabled(boolean enabled) { + this.enabled = enabled; + } + + public String getParent() { + return parent; + } + + public void setParent(String parent) { + this.parent = parent; + } + + public String getRegionId() { + return regionId; + } + + public void setRegionId(String regionId) { + this.regionId = regionId; + } + + public String getManaged() { + return managed; + } + + public void setManaged(String managed) { + this.managed = managed; + } +} diff --git a/backend/src/main/java/ervu_business_metrics/model/ReferenceEntity.java b/backend/src/main/java/ervu_business_metrics/model/ReferenceEntity.java new file mode 100644 index 0000000..2e48519 --- /dev/null +++ b/backend/src/main/java/ervu_business_metrics/model/ReferenceEntity.java @@ -0,0 +1,23 @@ +package ervu_business_metrics.model; + +import com.fasterxml.jackson.annotation.JsonIgnoreProperties; + +/** + * @author Adel Kalimullin + */ +@JsonIgnoreProperties(ignoreUnknown = true) +public class ReferenceEntity { + private String id; + + public ReferenceEntity(String id) { + this.id = id; + } + + public String getId() { + return id; + } + + public void setId(String id) { + this.id = id; + } +} diff --git a/backend/src/main/java/ervu_business_metrics/model/RoleData.java b/backend/src/main/java/ervu_business_metrics/model/RoleData.java new file mode 100644 index 0000000..76466d2 --- /dev/null +++ b/backend/src/main/java/ervu_business_metrics/model/RoleData.java @@ -0,0 +1,109 @@ +package ervu_business_metrics.model; + +import com.fasterxml.jackson.annotation.JsonIgnoreProperties; + +/** + * @author Adel Kalimullin + */ +@JsonIgnoreProperties(ignoreUnknown = true) +public class RoleData { + private String id; + private int version; + private long modified; + private String schema; + private String name; + private String shortname; + private String displayName; + private int sessionsLimit; + private boolean ervuRole; + private int imported; + private String description; + + public String getId() { + return id; + } + + public void setId(String id) { + this.id = id; + } + + public int getVersion() { + return version; + } + + public void setVersion(int version) { + this.version = version; + } + + public long getModified() { + return modified; + } + + public void setModified(long modified) { + this.modified = modified; + } + + public String getSchema() { + return schema; + } + + public void setSchema(String schema) { + this.schema = schema; + } + + public String getName() { + return name; + } + + public void setName(String name) { + this.name = name; + } + + public String getShortname() { + return shortname; + } + + public void setShortname(String shortname) { + this.shortname = shortname; + } + + public String getDisplayName() { + return displayName; + } + + public void setDisplayName(String displayName) { + this.displayName = displayName; + } + + public int getSessionsLimit() { + return sessionsLimit; + } + + public void setSessionsLimit(int sessionsLimit) { + this.sessionsLimit = sessionsLimit; + } + + public boolean isErvuRole() { + return ervuRole; + } + + public void setErvuRole(boolean ervuRole) { + this.ervuRole = ervuRole; + } + + public int getImported() { + return imported; + } + + public void setImported(int imported) { + this.imported = imported; + } + + public String getDescription() { + return description; + } + + public void setDescription(String description) { + this.description = description; + } +} diff --git a/backend/src/main/java/ervu_business_metrics/model/deserializer/ReferenceEntityDeserializer.java b/backend/src/main/java/ervu_business_metrics/model/deserializer/ReferenceEntityDeserializer.java new file mode 100644 index 0000000..43c244d --- /dev/null +++ b/backend/src/main/java/ervu_business_metrics/model/deserializer/ReferenceEntityDeserializer.java @@ -0,0 +1,34 @@ +package ervu_business_metrics.model.deserializer; + +import java.io.IOException; + +import com.fasterxml.jackson.core.JacksonException; +import com.fasterxml.jackson.core.JsonParser; +import com.fasterxml.jackson.databind.DeserializationContext; +import com.fasterxml.jackson.databind.JsonDeserializer; +import com.fasterxml.jackson.databind.JsonNode; +import ervu_business_metrics.model.ReferenceEntity; + +/** + * @author Adel Kalimullin + */ +public class ReferenceEntityDeserializer extends JsonDeserializer { + + @Override + public ReferenceEntity deserialize(JsonParser jsonParser, + DeserializationContext deserializationContext) throws IOException, JacksonException { + JsonNode node = jsonParser.readValueAsTree(); + + if (node.isTextual()) { + return new ReferenceEntity(node.asText()); + } + else if (node.isObject()) { + JsonNode idNode = node.get("id"); + if (idNode != null && idNode.isTextual()) { + return new ReferenceEntity(idNode.asText()); + } + } + + return null; + } +} diff --git a/backend/src/main/java/ervu_business_metrics/service/IdmDirectoriesDaoService.java b/backend/src/main/java/ervu_business_metrics/service/IdmDirectoriesDaoService.java new file mode 100644 index 0000000..d25b6ea --- /dev/null +++ b/backend/src/main/java/ervu_business_metrics/service/IdmDirectoriesDaoService.java @@ -0,0 +1,103 @@ +package ervu_business_metrics.service; + + +import java.util.List; +import java.util.Set; + +import ervu_business_metrics.dao.IdmDirectoriesDao; +import ervu_business_metrics.config.IdmReconcileEnabledCondition; +import org.springframework.cache.annotation.CacheEvict; +import org.springframework.cache.annotation.Cacheable; +import org.springframework.context.annotation.Conditional; +import org.springframework.stereotype.Repository; +import ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.tables.records.*; + + +/** + * @author Adel Kalimullin + */ +@Repository +@Conditional(IdmReconcileEnabledCondition.class) +public class IdmDirectoriesDaoService { + private final IdmDirectoriesDao idmDirectoriesDao; + + public IdmDirectoriesDaoService(IdmDirectoriesDao idmDirectoriesDao) { + this.idmDirectoriesDao = idmDirectoriesDao; + } + + public RoleRecord getRoleRecord() { + return idmDirectoriesDao.getRoleRecord(); + } + + public DomainRecord getDomainRecord() { + return idmDirectoriesDao.getDomainRecord(); + } + + public AccountRecord getAccountRecord() { + return idmDirectoriesDao.getAccountRecord(); + } + + public AccountRoleRecord getAccountRoleRecord() { + return idmDirectoriesDao.getAccountRoleRecord(); + } + + @Cacheable(value = "account-ids", unless = "#result == null") + public Set getAccountIds() { + return idmDirectoriesDao.getAccountIds(); + } + + @Cacheable(value = "role-ids", unless = "#result == null") + public Set getRoleIds() { + return idmDirectoriesDao.getRoleIds(); + } + + @Cacheable(value = "domain-ids", unless = "#result == null") + public Set getDomainIds() { + return idmDirectoriesDao.getDomainIds(); + } + + @CacheEvict(value = "domain-ids", allEntries = true) + public void insertDomainRecords(List newDomainRecords) { + idmDirectoriesDao.insertDomainRecords(newDomainRecords); + } + + public void updateDomainRecords(List domainRecords) { + idmDirectoriesDao.updateDomainRecords(domainRecords); + } + + @CacheEvict(value = "role-ids", allEntries = true) + public void insertRoleRecords(List newRoleRecords) { + idmDirectoriesDao.insertRoleRecords(newRoleRecords); + } + + public void updateRoleRecords(List roleRecords) { + idmDirectoriesDao.updateRoleRecords(roleRecords); + } + + @CacheEvict(value = "account-ids", allEntries = true) + public void insertAccountRecords(List accountRecords) { + idmDirectoriesDao.insertAccountRecords(accountRecords); + } + + public void updateAccountRecords(List accountRecords) { + idmDirectoriesDao.updateAccountRecords(accountRecords); + } + + public void insertAccountRoleRecords(List newAccountRoleRecords) { + idmDirectoriesDao.insertAccountRoleRecords(newAccountRoleRecords); + } + + public void deleteAccountRolesByAccountIds(List accountIds) { + idmDirectoriesDao.deleteAccountRolesByAccountIds(accountIds); + } + + @CacheEvict(value = "domain-ids", allEntries = true) + public void deleteDomainsByIds(List domainIds) { + idmDirectoriesDao.deleteDomainsByIds(domainIds); + } + + @CacheEvict(value = "account-ids", allEntries = true) + public void deleteAccountsByIds(List accountIds) { + idmDirectoriesDao.deleteAccountByIds(accountIds); + } +} diff --git a/backend/src/main/java/ervu_business_metrics/service/IdmDirectoriesService.java b/backend/src/main/java/ervu_business_metrics/service/IdmDirectoriesService.java new file mode 100644 index 0000000..93d2d08 --- /dev/null +++ b/backend/src/main/java/ervu_business_metrics/service/IdmDirectoriesService.java @@ -0,0 +1,142 @@ +package ervu_business_metrics.service; + +import java.lang.invoke.MethodHandles; +import java.util.Arrays; +import java.util.HashMap; +import java.util.Map; + +import com.fasterxml.jackson.databind.JavaType; +import com.fasterxml.jackson.databind.ObjectMapper; +import ervu_business_metrics.config.IdmReconcileEnabledCondition; +import ervu_business_metrics.kafka.model.DeleteKafkaMessage; +import ervu_business_metrics.kafka.model.UpsertMessage; +import ervu_business_metrics.model.AccountData; +import ervu_business_metrics.model.DomainData; +import ervu_business_metrics.model.RoleData; +import ervu_business_metrics.service.processor.impl.AccountDataProcessor; +import ervu_business_metrics.service.processor.DataProcessor; +import ervu_business_metrics.service.processor.impl.DomainDataProcessor; +import ervu_business_metrics.service.processor.impl.RoleDataProcessor; +import exception.IdmDirectoriesException; +import org.slf4j.Logger; +import org.slf4j.LoggerFactory; +import org.springframework.beans.factory.annotation.Value; +import org.springframework.cache.annotation.CacheEvict; +import org.springframework.cache.annotation.Caching; +import org.springframework.context.annotation.Conditional; +import org.springframework.context.annotation.DependsOn; +import org.springframework.http.HttpEntity; +import org.springframework.http.HttpHeaders; +import org.springframework.http.MediaType; +import org.springframework.http.ResponseEntity; +import org.springframework.stereotype.Component; +import org.springframework.transaction.annotation.Transactional; +import org.springframework.web.client.RestTemplate; + +/** + * @author Adel Kalimullin + */ +@Component +@DependsOn("liquibase") +@Conditional(IdmReconcileEnabledCondition.class) +public class IdmDirectoriesService { + private static final Logger LOGGER = LoggerFactory.getLogger( + MethodHandles.lookup().lookupClass()); + private final RestTemplate restTemplate; + private final ObjectMapper objectMapper; + private final Map, DataProcessor> dataProcessors = new HashMap<>(); + @Value("${ervu.idm.url}") + private String idmUrl; + @Value("${ervu.directories:domain, role , account }") + private String ervuDirectories; + + public IdmDirectoriesService( + RestTemplate restTemplate, + AccountDataProcessor accountDataProcessor, + DomainDataProcessor domainDataProcessor, + RoleDataProcessor roleDataProcessor, ObjectMapper objectMapper) { + this.restTemplate = restTemplate; + this.objectMapper = objectMapper; + dataProcessors.put(AccountData.class, accountDataProcessor); + dataProcessors.put(DomainData.class, domainDataProcessor); + dataProcessors.put(RoleData.class, roleDataProcessor); + } + + @Caching(evict = { + @CacheEvict(value = "domain-ids", allEntries = true), + @CacheEvict(value = "role-ids", allEntries = true), + @CacheEvict(value = "account-ids", allEntries = true) + }) + public void updateDirectories() { + try { + String[] ervuDirectoriesArray = ervuDirectories.split(","); + Arrays.stream(ervuDirectoriesArray).forEach(ervuDirectory -> { + String targetUrl = idmUrl + "/reconcile/" + ervuDirectory.trim() + "/to/kafka/v1"; + HttpHeaders headers = new HttpHeaders(); + headers.setContentType(MediaType.APPLICATION_JSON); + String emptyJson = "{}"; + HttpEntity requestEntity = new HttpEntity<>(emptyJson, headers); + ResponseEntity response = restTemplate.postForEntity(targetUrl, requestEntity, + String.class + ); + if (!response.getStatusCode().is2xxSuccessful()) { + LOGGER.error("Error in {} request. Status code: {}; Body: {}", + ervuDirectory, response.getStatusCode(), response.getBody() + ); + } + }); + } + catch (Exception e) { + LOGGER.error(e.getMessage()); + throw new IdmDirectoriesException(e); + } + } + + @Transactional + public void processUpsertMessage(String kafkaMessage, Class entityClass) { + try { + JavaType messageType = objectMapper.getTypeFactory() + .constructParametricType(UpsertMessage.class, entityClass); + JavaType arrayType = objectMapper.getTypeFactory() + .constructArrayType(messageType); + + UpsertMessage[] messages = objectMapper.readValue(kafkaMessage, arrayType); + if (messages.length > 0 && messages[0].getData() != null && !messages[0].getData() + .isEmpty()) { + DataProcessor processor = (DataProcessor) dataProcessors.get(entityClass); + if (processor == null) { + throw new IllegalStateException("No processor found for " + entityClass.getSimpleName()); + } + + processor.upsertData(messages[0].getData()); + } + } + catch (Exception e) { + throw new IdmDirectoriesException(e); + } + } + + @Transactional + public void processDeleteMessage(String kafkaMessage, Class entityClass) { + try { + DeleteKafkaMessage[] deleteKafkaMessages = objectMapper.readValue(kafkaMessage, + DeleteKafkaMessage[].class + ); + + if (Boolean.TRUE.equals(deleteKafkaMessages[0].isSuccess()) + && deleteKafkaMessages[0].getData() != null && !deleteKafkaMessages[0].getData() + .isEmpty()) { + DataProcessor processor = (DataProcessor) dataProcessors.get(entityClass); + if (processor == null) { + throw new IllegalStateException("No processor found for " + entityClass.getSimpleName()); + } + + processor.deleteData(deleteKafkaMessages[0].getData()); + } + + } + catch (Exception e) { + throw new IdmDirectoriesException(e); + } + } +} diff --git a/backend/src/main/java/ervu_business_metrics/service/processor/DataProcessor.java b/backend/src/main/java/ervu_business_metrics/service/processor/DataProcessor.java new file mode 100644 index 0000000..9fb0e49 --- /dev/null +++ b/backend/src/main/java/ervu_business_metrics/service/processor/DataProcessor.java @@ -0,0 +1,11 @@ +package ervu_business_metrics.service.processor; + +import java.util.List; + +/** + * @author Adel Kalimullin + */ +public interface DataProcessor { + void upsertData(List dataList); + void deleteData(List ids); +} \ No newline at end of file diff --git a/backend/src/main/java/ervu_business_metrics/service/processor/impl/AccountDataProcessor.java b/backend/src/main/java/ervu_business_metrics/service/processor/impl/AccountDataProcessor.java new file mode 100644 index 0000000..da87328 --- /dev/null +++ b/backend/src/main/java/ervu_business_metrics/service/processor/impl/AccountDataProcessor.java @@ -0,0 +1,104 @@ +package ervu_business_metrics.service.processor.impl; + +import java.sql.Timestamp; +import java.time.Instant; +import java.util.ArrayList; +import java.util.List; +import java.util.Set; + +import ervu_business_metrics.config.IdmReconcileEnabledCondition; +import ervu_business_metrics.model.AccountData; +import ervu_business_metrics.service.IdmDirectoriesDaoService; +import ervu_business_metrics.service.processor.DataProcessor; +import org.springframework.context.annotation.Conditional; +import org.springframework.stereotype.Component; +import ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.tables.records.AccountRecord; +import ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.tables.records.AccountRoleRecord; + +/** + * @author Adel Kalimullin + */ +@Component +@Conditional(IdmReconcileEnabledCondition.class) +public class AccountDataProcessor implements DataProcessor { + private final IdmDirectoriesDaoService idmDirectoriesDaoService; + + public AccountDataProcessor(IdmDirectoriesDaoService idmDirectoriesDaoService) { + this.idmDirectoriesDaoService = idmDirectoriesDaoService; + } + + @Override + public void upsertData(List dataList) { + List newAccountRecords = new ArrayList<>(); + List accountRecordsToUpdate = new ArrayList<>(); + List newAccountRoleRecords = new ArrayList<>(); + List accountsToDeleteRoles = new ArrayList<>(); + Set existingIds = idmDirectoriesDaoService.getAccountIds(); + + for (AccountData data : dataList) { + AccountRecord record = idmDirectoriesDaoService.getAccountRecord(); + Timestamp modifiedAt = Timestamp.from(Instant.ofEpochMilli(data.getModified())); + + record.setId(data.getId()); + record.setVersion(data.getVersion()); + record.setSchema(data.getSchema()); + record.setModified(modifiedAt); + record.setStart(data.getStart()); + record.setFinish(data.getFinish()); + record.setEnabled(data.isEnabled()); + record.setPosition(data.getPosition()); + record.setFio(data.getFio()); + record.setWorkMail(data.getWorkMail()); + record.setEsiaAccount(data.isEsiaAccount()); + if (data.getUserDomain() != null) { + record.setDomainId(data.getUserDomain().getId()); + } + + if (existingIds.contains(data.getId())) { + accountRecordsToUpdate.add(record); + accountsToDeleteRoles.add(data.getId()); + } + else { + newAccountRecords.add(record); + } + + if (data.getRoles() != null && !data.getRoles().isEmpty()) { + addRolesForAccount(data, newAccountRoleRecords); + } + } + + if (!newAccountRecords.isEmpty()) { + idmDirectoriesDaoService.insertAccountRecords(newAccountRecords); + } + + if (!accountRecordsToUpdate.isEmpty()) { + idmDirectoriesDaoService.updateAccountRecords(accountRecordsToUpdate); + } + + if (!accountsToDeleteRoles.isEmpty()) { + idmDirectoriesDaoService.deleteAccountRolesByAccountIds(accountsToDeleteRoles); + } + + if (!newAccountRoleRecords.isEmpty()) { + idmDirectoriesDaoService.insertAccountRoleRecords(newAccountRoleRecords); + } + } + + @Override + public void deleteData(List ids) { + idmDirectoriesDaoService.deleteAccountsByIds(ids); + } + + private void addRolesForAccount(AccountData data, List accountRoleRecords) { + Set existingRoleIds = idmDirectoriesDaoService.getRoleIds(); + + for (String roleId : data.getRoles()) { + if (existingRoleIds.contains(roleId)) { + AccountRoleRecord accountRoleRecord = idmDirectoriesDaoService.getAccountRoleRecord(); + accountRoleRecord.setAccountId(data.getId()); + accountRoleRecord.setRoleId(roleId); + accountRoleRecords.add(accountRoleRecord); + } + } + } +} diff --git a/backend/src/main/java/ervu_business_metrics/service/processor/impl/DomainDataProcessor.java b/backend/src/main/java/ervu_business_metrics/service/processor/impl/DomainDataProcessor.java new file mode 100644 index 0000000..fce5f7c --- /dev/null +++ b/backend/src/main/java/ervu_business_metrics/service/processor/impl/DomainDataProcessor.java @@ -0,0 +1,111 @@ +package ervu_business_metrics.service.processor.impl; + +import java.sql.Timestamp; +import java.time.Instant; +import java.util.ArrayList; +import java.util.List; +import java.util.Set; + +import ervu_business_metrics.config.IdmReconcileEnabledCondition; +import ervu_business_metrics.model.DomainData; +import ervu_business_metrics.service.IdmDirectoriesDaoService; +import ervu_business_metrics.service.processor.DataProcessor; +import org.springframework.context.annotation.Conditional; +import org.springframework.stereotype.Component; +import ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.tables.records.DomainRecord; + +/** + * @author Adel Kalimullin + */ +@Component +@Conditional(IdmReconcileEnabledCondition.class) +public class DomainDataProcessor implements DataProcessor { + private final IdmDirectoriesDaoService idmDirectoriesDaoService; + + public DomainDataProcessor(IdmDirectoriesDaoService idmDirectoriesDaoService) { + this.idmDirectoriesDaoService = idmDirectoriesDaoService; + } + + @Override + public void upsertData(List dataList) { + List newDomainRecords = new ArrayList<>(); + List domainRecords = new ArrayList<>(); + Set existingIds = idmDirectoriesDaoService.getDomainIds(); + + for (DomainData data : dataList) { + DomainRecord domainRecord = idmDirectoriesDaoService.getDomainRecord(); + Timestamp modifiedAt = Timestamp.from(Instant.ofEpochMilli(data.getModified())); + + domainRecord.setId(data.getId()); + domainRecord.setVersion(data.getVersion()); + domainRecord.setModified(modifiedAt); + domainRecord.setSchema(data.getSchema()); + domainRecord.setName(data.getName()); + domainRecord.setShortname(data.getShortname()); + domainRecord.setFullname(data.getFullname()); + domainRecord.setDns(data.getDns()); + domainRecord.setEmail(data.getEmail()); + domainRecord.setPhone(data.getPhone()); + domainRecord.setAddress(data.getAddress()); + domainRecord.setPostalAddress(data.getPostalAddress()); + domainRecord.setAddressId(data.getAddressId()); + domainRecord.setPostalAddressId(data.getPostalAddressId()); + domainRecord.setMilitaryCode(data.getMilitaryCode()); + domainRecord.setTimezone(data.getTimezone()); + domainRecord.setReportsEnabled(data.isReportsEnabled()); + domainRecord.setInn(data.getInn()); + domainRecord.setLeg(data.getLeg()); + domainRecord.setOgrn(data.getOgrn()); + domainRecord.setRegion(data.getRegion()); + domainRecord.setEpguId(data.getEpguId()); + domainRecord.setType(data.getType()); + domainRecord.setEsiaEmployeeAuthorization(data.isEsiaEmployeeAuthorization()); + domainRecord.setDefaultS3Bucket(data.getDefaultS3Bucket()); + domainRecord.setOpf(data.getOpf()); + domainRecord.setKpp(data.getKpp()); + domainRecord.setCheckingAccount(data.getCheckingAccount()); + domainRecord.setBik(data.getBik()); + domainRecord.setBankName(data.getBankName()); + domainRecord.setBankCorrespondentAccount(data.getBankCorrespondentAccount()); + domainRecord.setOktmo(data.getOktmo()); + domainRecord.setOkato(data.getOkato()); + domainRecord.setGovRegistrationDate(data.getGovRegistrationDate()); + domainRecord.setGovOrganizationType(data.getGovOrganizationType()); + domainRecord.setAliasKey(data.getAliasKey()); + domainRecord.setPassKey(data.getPassKey()); + domainRecord.setCertificate(data.getCertificate()); + domainRecord.setAccountNumberTofk(data.getAccountNumberTOFK()); + domainRecord.setBikTofk(data.getBikTOFK()); + domainRecord.setCorrespondentBankAccountTofk(data.getCorrespondentBankAccountTOFK()); + domainRecord.setNameTofk(data.getNameTOFK()); + domainRecord.setNsiOrganizationId(data.getNsiOrganizationId()); + domainRecord.setDocHandle(data.getDocHandle()); + domainRecord.setDivisionType(data.getDivisionType()); + domainRecord.setTnsDepartmentId(data.getTnsDepartmentId()); + domainRecord.setEnabled(data.isEnabled()); + domainRecord.setParent(data.getParent()); + domainRecord.setRegionId(data.getRegionId()); + domainRecord.setManaged(data.getManaged()); + + if (existingIds.contains(data.getId())) { + domainRecords.add(domainRecord); + } + else { + newDomainRecords.add(domainRecord); + } + } + + if (!newDomainRecords.isEmpty()) { + idmDirectoriesDaoService.insertDomainRecords(newDomainRecords); + } + + if (!domainRecords.isEmpty()) { + idmDirectoriesDaoService.updateDomainRecords(domainRecords); + } + } + + @Override + public void deleteData(List ids) { + idmDirectoriesDaoService.deleteDomainsByIds(ids); + } +} diff --git a/backend/src/main/java/ervu_business_metrics/service/processor/impl/RoleDataProcessor.java b/backend/src/main/java/ervu_business_metrics/service/processor/impl/RoleDataProcessor.java new file mode 100644 index 0000000..d22e30c --- /dev/null +++ b/backend/src/main/java/ervu_business_metrics/service/processor/impl/RoleDataProcessor.java @@ -0,0 +1,75 @@ +package ervu_business_metrics.service.processor.impl; + +import java.sql.Timestamp; +import java.time.Instant; +import java.util.ArrayList; +import java.util.List; +import java.util.Set; + +import ervu_business_metrics.config.IdmReconcileEnabledCondition; +import ervu_business_metrics.model.RoleData; +import ervu_business_metrics.service.IdmDirectoriesDaoService; +import ervu_business_metrics.service.processor.DataProcessor; +import org.springframework.context.annotation.Conditional; +import org.springframework.stereotype.Component; +import ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.tables.records.RoleRecord; + +/** + * @author Adel Kalimullin + */ +@Component +@Conditional(IdmReconcileEnabledCondition.class) +public class RoleDataProcessor implements DataProcessor { + private final IdmDirectoriesDaoService idmDirectoriesDaoService; + + public RoleDataProcessor(IdmDirectoriesDaoService idmDirectoriesDaoService) { + this.idmDirectoriesDaoService = idmDirectoriesDaoService; + } + + @Override + public void upsertData(List dataList) { + List newRoleRecords = new ArrayList<>(); + List roleRecords = new ArrayList<>(); + Set existingIds = idmDirectoriesDaoService.getRoleIds(); + + for (RoleData data : dataList) { + if (!data.isErvuRole()) { + continue; + } + RoleRecord record = idmDirectoriesDaoService.getRoleRecord(); + Timestamp modifiedAt = Timestamp.from(Instant.ofEpochMilli(data.getModified())); + + record.setId(data.getId()); + record.setName(data.getName()); + record.setDisplayName(data.getDisplayName()); + record.setShortname(data.getShortname()); + record.setSchema(data.getSchema()); + record.setVersion(data.getVersion()); + record.setSessionsLimit(data.getSessionsLimit()); + record.setImported(data.getImported()); + record.setDescription(data.getDescription()); + record.setErvuRole(data.isErvuRole()); + record.setModified(modifiedAt); + + if (existingIds.contains(data.getId())) { + roleRecords.add(record); + } + else { + newRoleRecords.add(record); + } + } + + if (!newRoleRecords.isEmpty()) { + idmDirectoriesDaoService.insertRoleRecords(newRoleRecords); + } + + if (!roleRecords.isEmpty()) { + idmDirectoriesDaoService.updateRoleRecords(roleRecords); + } + } + + @Override + public void deleteData(List ids) { + // TODO удаление пока не реализовано + } +} diff --git a/backend/src/main/java/exception/IdmDirectoriesException.java b/backend/src/main/java/exception/IdmDirectoriesException.java new file mode 100644 index 0000000..02405a0 --- /dev/null +++ b/backend/src/main/java/exception/IdmDirectoriesException.java @@ -0,0 +1,18 @@ +package exception; + +/** + * @author Adel Kalimullin + */ +public class IdmDirectoriesException extends RuntimeException{ + public IdmDirectoriesException(String message) { + super(message); + } + + public IdmDirectoriesException(Throwable cause) { + super(cause); + } + + public IdmDirectoriesException(String message, Throwable cause) { + super(message, cause); + } +} diff --git a/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/DefaultCatalog.java b/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/DefaultCatalog.java index 747ba3e..5b03d9a 100644 --- a/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/DefaultCatalog.java +++ b/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/DefaultCatalog.java @@ -14,6 +14,7 @@ import org.jooq.impl.CatalogImpl; import ru.micord.webbpm.ervu.business_metrics.db_beans.actualization.Actualization; import ru.micord.webbpm.ervu.business_metrics.db_beans.admin_indicators.AdminIndicators; import ru.micord.webbpm.ervu.business_metrics.db_beans.deregistration.Deregistration; +import ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.IdmReconcile; import ru.micord.webbpm.ervu.business_metrics.db_beans.init_registration_info.InitRegistrationInfo; import ru.micord.webbpm.ervu.business_metrics.db_beans.journal_log.JournalLog; import ru.micord.webbpm.ervu.business_metrics.db_beans.metrics.Metrics; @@ -51,6 +52,11 @@ public class DefaultCatalog extends CatalogImpl { */ public final Deregistration DEREGISTRATION = Deregistration.DEREGISTRATION; + /** + * The schema idm_reconcile. + */ + public final IdmReconcile IDM_RECONCILE = IdmReconcile.IDM_RECONCILE; + /** * The schema init_registration_info. */ @@ -99,6 +105,7 @@ public class DefaultCatalog extends CatalogImpl { Actualization.ACTUALIZATION, AdminIndicators.ADMIN_INDICATORS, Deregistration.DEREGISTRATION, + IdmReconcile.IDM_RECONCILE, InitRegistrationInfo.INIT_REGISTRATION_INFO, JournalLog.JOURNAL_LOG, Metrics.METRICS, diff --git a/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/actualization/tables/ViewAppReason.java b/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/actualization/tables/ViewAppReason.java index 9e21b5d..b50b1f1 100644 --- a/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/actualization/tables/ViewAppReason.java +++ b/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/actualization/tables/ViewAppReason.java @@ -93,12 +93,12 @@ public class ViewAppReason extends TableImpl { private ViewAppReason(Name alias, Table aliased, Field[] parameters, Condition where) { super(alias, null, aliased, parameters, DSL.comment(""), TableOptions.view(""" create view "view_app_reason" as SELECT app_reason.app_reason_id, - COALESCE(round((((app_reason.count_place_of_stay)::numeric * (100)::numeric) / NULLIF((app_reason.count_all)::numeric, (0)::numeric))), (0)::numeric) AS percent_place_of_stay, - COALESCE(round((((app_reason.count_work)::numeric * (100)::numeric) / NULLIF((app_reason.count_all)::numeric, (0)::numeric))), (0)::numeric) AS percent_work, - COALESCE(round((((app_reason.count_place_of_study)::numeric * (100)::numeric) / NULLIF((app_reason.count_all)::numeric, (0)::numeric))), (0)::numeric) AS percent_place_of_study, - COALESCE(round((((app_reason.count_family_status)::numeric * (100)::numeric) / NULLIF((app_reason.count_all)::numeric, (0)::numeric))), (0)::numeric) AS percent_family_status, - COALESCE(round((((app_reason.count_education)::numeric * (100)::numeric) / NULLIF((app_reason.count_all)::numeric, (0)::numeric))), (0)::numeric) AS percent_education, - COALESCE(round((((app_reason.count_renaming)::numeric * (100)::numeric) / NULLIF((app_reason.count_all)::numeric, (0)::numeric))), (0)::numeric) AS percent_renaming + COALESCE(round((((app_reason.count_place_of_stay)::numeric * (100)::numeric) / NULLIF((((((((app_reason.count_place_of_stay + app_reason.count_work) + app_reason.count_place_of_study) + app_reason.count_family_status) + app_reason.count_education) + app_reason.count_education) + app_reason.count_renaming))::numeric, (0)::numeric))), (0)::numeric) AS percent_place_of_stay, + COALESCE(round((((app_reason.count_work)::numeric * (100)::numeric) / NULLIF((((((((app_reason.count_place_of_stay + app_reason.count_work) + app_reason.count_place_of_study) + app_reason.count_family_status) + app_reason.count_education) + app_reason.count_education) + app_reason.count_renaming))::numeric, (0)::numeric))), (0)::numeric) AS percent_work, + COALESCE(round((((app_reason.count_place_of_study)::numeric * (100)::numeric) / NULLIF((((((((app_reason.count_place_of_stay + app_reason.count_work) + app_reason.count_place_of_study) + app_reason.count_family_status) + app_reason.count_education) + app_reason.count_education) + app_reason.count_renaming))::numeric, (0)::numeric))), (0)::numeric) AS percent_place_of_study, + COALESCE(round((((app_reason.count_family_status)::numeric * (100)::numeric) / NULLIF((((((((app_reason.count_place_of_stay + app_reason.count_work) + app_reason.count_place_of_study) + app_reason.count_family_status) + app_reason.count_education) + app_reason.count_education) + app_reason.count_renaming))::numeric, (0)::numeric))), (0)::numeric) AS percent_family_status, + COALESCE(round((((app_reason.count_education)::numeric * (100)::numeric) / NULLIF((((((((app_reason.count_place_of_stay + app_reason.count_work) + app_reason.count_place_of_study) + app_reason.count_family_status) + app_reason.count_education) + app_reason.count_education) + app_reason.count_renaming))::numeric, (0)::numeric))), (0)::numeric) AS percent_education, + COALESCE(round((((app_reason.count_renaming)::numeric * (100)::numeric) / NULLIF((((((((app_reason.count_place_of_stay + app_reason.count_work) + app_reason.count_place_of_study) + app_reason.count_family_status) + app_reason.count_education) + app_reason.count_education) + app_reason.count_renaming))::numeric, (0)::numeric))), (0)::numeric) AS percent_renaming FROM actualization.app_reason; """), where); } diff --git a/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/admin_indicators/tables/UserAnalysis.java b/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/admin_indicators/tables/UserAnalysis.java index d791258..7cddd63 100644 --- a/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/admin_indicators/tables/UserAnalysis.java +++ b/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/admin_indicators/tables/UserAnalysis.java @@ -173,6 +173,20 @@ public class UserAnalysis extends TableImpl { */ public final TableField RECRUITMENT_ID = createField(DSL.name("recruitment_id"), SQLDataType.VARCHAR(36).nullable(false), this, ""); + /** + * The column + * admin_indicators.user_analysis.count_responsible_zi. + * Ответственный за ЗИ + */ + public final TableField COUNT_RESPONSIBLE_ZI = createField(DSL.name("count_responsible_zi"), SQLDataType.BIGINT.nullable(false).defaultValue(DSL.field(DSL.raw("0"), SQLDataType.BIGINT)), this, "Ответственный за ЗИ"); + + /** + * The column + * admin_indicators.user_analysis.count_responsible_zi_svk. + * Ответственный за ЗИ СВК + */ + public final TableField COUNT_RESPONSIBLE_ZI_SVK = createField(DSL.name("count_responsible_zi_svk"), SQLDataType.BIGINT.nullable(false).defaultValue(DSL.field(DSL.raw("0"), SQLDataType.BIGINT)), this, "Ответственный за ЗИ СВК"); + private UserAnalysis(Name alias, Table aliased) { this(alias, aliased, (Field[]) null, null); } diff --git a/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/admin_indicators/tables/ViewUserAnalysis.java b/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/admin_indicators/tables/ViewUserAnalysis.java index d501366..5ac843c 100644 --- a/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/admin_indicators/tables/ViewUserAnalysis.java +++ b/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/admin_indicators/tables/ViewUserAnalysis.java @@ -116,9 +116,9 @@ public class ViewUserAnalysis extends TableImpl { /** * The column - * admin_indicators.view_user_analysis.percent_administrator_military_office. + * admin_indicators.view_user_analysis.percent_responsible_zi. */ - public final TableField PERCENT_ADMINISTRATOR_MILITARY_OFFICE = createField(DSL.name("percent_administrator_military_office"), SQLDataType.NUMERIC, this, ""); + public final TableField PERCENT_RESPONSIBLE_ZI = createField(DSL.name("percent_responsible_zi"), SQLDataType.NUMERIC, this, ""); /** * The column @@ -132,6 +132,12 @@ public class ViewUserAnalysis extends TableImpl { */ public final TableField PERCENT_SPECIALIST_ACQUISITION = createField(DSL.name("percent_specialist_acquisition"), SQLDataType.NUMERIC, this, ""); + /** + * The column + * admin_indicators.view_user_analysis.percent_responsible_zi_svk. + */ + public final TableField PERCENT_RESPONSIBLE_ZI_SVK = createField(DSL.name("percent_responsible_zi_svk"), SQLDataType.NUMERIC, this, ""); + private ViewUserAnalysis(Name alias, Table aliased) { this(alias, aliased, (Field[]) null, null); } @@ -139,19 +145,20 @@ public class ViewUserAnalysis extends TableImpl { private ViewUserAnalysis(Name alias, Table aliased, Field[] parameters, Condition where) { super(alias, null, aliased, parameters, DSL.comment(""), TableOptions.view(""" create view "view_user_analysis" as SELECT user_analysis.user_analysis_id, - (((((((((((user_analysis.count_administrator_is + user_analysis.count_administrator_poib) + user_analysis.count_employee_gomy) + user_analysis.count_observer_gomy) + user_analysis.count_supervisor_gomy) + user_analysis.count_military_commissar) + user_analysis.count_specialist_statements) + user_analysis.count_observer_vo) + user_analysis.count_observer_vk) + user_analysis.count_administrator_military_office) + user_analysis.count_specialist_military_accounting) + user_analysis.count_specialist_acquisition) AS count_all, - COALESCE(round((((user_analysis.count_administrator_is)::numeric * (100)::numeric) / NULLIF(((((((((((((user_analysis.count_administrator_is + user_analysis.count_administrator_poib) + user_analysis.count_employee_gomy) + user_analysis.count_observer_gomy) + user_analysis.count_supervisor_gomy) + user_analysis.count_military_commissar) + user_analysis.count_specialist_statements) + user_analysis.count_observer_vo) + user_analysis.count_observer_vk) + user_analysis.count_administrator_military_office) + user_analysis.count_specialist_military_accounting) + user_analysis.count_specialist_acquisition))::numeric, (0)::numeric))), (0)::numeric) AS percent_administrator_is, - COALESCE(round((((user_analysis.count_administrator_poib)::numeric * (100)::numeric) / NULLIF(((((((((((((user_analysis.count_administrator_is + user_analysis.count_administrator_poib) + user_analysis.count_employee_gomy) + user_analysis.count_observer_gomy) + user_analysis.count_supervisor_gomy) + user_analysis.count_military_commissar) + user_analysis.count_specialist_statements) + user_analysis.count_observer_vo) + user_analysis.count_observer_vk) + user_analysis.count_administrator_military_office) + user_analysis.count_specialist_military_accounting) + user_analysis.count_specialist_acquisition))::numeric, (0)::numeric))), (0)::numeric) AS percent_administrator_poib, - COALESCE(round((((user_analysis.count_employee_gomy)::numeric * (100)::numeric) / NULLIF(((((((((((((user_analysis.count_administrator_is + user_analysis.count_administrator_poib) + user_analysis.count_employee_gomy) + user_analysis.count_observer_gomy) + user_analysis.count_supervisor_gomy) + user_analysis.count_military_commissar) + user_analysis.count_specialist_statements) + user_analysis.count_observer_vo) + user_analysis.count_observer_vk) + user_analysis.count_administrator_military_office) + user_analysis.count_specialist_military_accounting) + user_analysis.count_specialist_acquisition))::numeric, (0)::numeric))), (0)::numeric) AS percent_employee_gomy, - COALESCE(round((((user_analysis.count_observer_gomy)::numeric * (100)::numeric) / NULLIF(((((((((((((user_analysis.count_administrator_is + user_analysis.count_administrator_poib) + user_analysis.count_employee_gomy) + user_analysis.count_observer_gomy) + user_analysis.count_supervisor_gomy) + user_analysis.count_military_commissar) + user_analysis.count_specialist_statements) + user_analysis.count_observer_vo) + user_analysis.count_observer_vk) + user_analysis.count_administrator_military_office) + user_analysis.count_specialist_military_accounting) + user_analysis.count_specialist_acquisition))::numeric, (0)::numeric))), (0)::numeric) AS percent_bserver_gomy, - COALESCE(round((((user_analysis.count_supervisor_gomy)::numeric * (100)::numeric) / NULLIF(((((((((((((user_analysis.count_administrator_is + user_analysis.count_administrator_poib) + user_analysis.count_employee_gomy) + user_analysis.count_observer_gomy) + user_analysis.count_supervisor_gomy) + user_analysis.count_military_commissar) + user_analysis.count_specialist_statements) + user_analysis.count_observer_vo) + user_analysis.count_observer_vk) + user_analysis.count_administrator_military_office) + user_analysis.count_specialist_military_accounting) + user_analysis.count_specialist_acquisition))::numeric, (0)::numeric))), (0)::numeric) AS percent_supervisor_gomy, - COALESCE(round((((user_analysis.count_military_commissar)::numeric * (100)::numeric) / NULLIF(((((((((((((user_analysis.count_administrator_is + user_analysis.count_administrator_poib) + user_analysis.count_employee_gomy) + user_analysis.count_observer_gomy) + user_analysis.count_supervisor_gomy) + user_analysis.count_military_commissar) + user_analysis.count_specialist_statements) + user_analysis.count_observer_vo) + user_analysis.count_observer_vk) + user_analysis.count_administrator_military_office) + user_analysis.count_specialist_military_accounting) + user_analysis.count_specialist_acquisition))::numeric, (0)::numeric))), (0)::numeric) AS percent_military_commissar, - COALESCE(round((((user_analysis.count_specialist_statements)::numeric * (100)::numeric) / NULLIF(((((((((((((user_analysis.count_administrator_is + user_analysis.count_administrator_poib) + user_analysis.count_employee_gomy) + user_analysis.count_observer_gomy) + user_analysis.count_supervisor_gomy) + user_analysis.count_military_commissar) + user_analysis.count_specialist_statements) + user_analysis.count_observer_vo) + user_analysis.count_observer_vk) + user_analysis.count_administrator_military_office) + user_analysis.count_specialist_military_accounting) + user_analysis.count_specialist_acquisition))::numeric, (0)::numeric))), (0)::numeric) AS percent_specialist_statements, - COALESCE(round((((user_analysis.count_observer_vo)::numeric * (100)::numeric) / NULLIF(((((((((((((user_analysis.count_administrator_is + user_analysis.count_administrator_poib) + user_analysis.count_employee_gomy) + user_analysis.count_observer_gomy) + user_analysis.count_supervisor_gomy) + user_analysis.count_military_commissar) + user_analysis.count_specialist_statements) + user_analysis.count_observer_vo) + user_analysis.count_observer_vk) + user_analysis.count_administrator_military_office) + user_analysis.count_specialist_military_accounting) + user_analysis.count_specialist_acquisition))::numeric, (0)::numeric))), (0)::numeric) AS percent_observer_vo, - COALESCE(round((((user_analysis.count_observer_vk)::numeric * (100)::numeric) / NULLIF(((((((((((((user_analysis.count_administrator_is + user_analysis.count_administrator_poib) + user_analysis.count_employee_gomy) + user_analysis.count_observer_gomy) + user_analysis.count_supervisor_gomy) + user_analysis.count_military_commissar) + user_analysis.count_specialist_statements) + user_analysis.count_observer_vo) + user_analysis.count_observer_vk) + user_analysis.count_administrator_military_office) + user_analysis.count_specialist_military_accounting) + user_analysis.count_specialist_acquisition))::numeric, (0)::numeric))), (0)::numeric) AS percent_observer_vk, - COALESCE(round((((user_analysis.count_administrator_military_office)::numeric * (100)::numeric) / NULLIF(((((((((((((user_analysis.count_administrator_is + user_analysis.count_administrator_poib) + user_analysis.count_employee_gomy) + user_analysis.count_observer_gomy) + user_analysis.count_supervisor_gomy) + user_analysis.count_military_commissar) + user_analysis.count_specialist_statements) + user_analysis.count_observer_vo) + user_analysis.count_observer_vk) + user_analysis.count_administrator_military_office) + user_analysis.count_specialist_military_accounting) + user_analysis.count_specialist_acquisition))::numeric, (0)::numeric))), (0)::numeric) AS percent_administrator_military_office, - COALESCE(round((((user_analysis.count_specialist_military_accounting)::numeric * (100)::numeric) / NULLIF(((((((((((((user_analysis.count_administrator_is + user_analysis.count_administrator_poib) + user_analysis.count_employee_gomy) + user_analysis.count_observer_gomy) + user_analysis.count_supervisor_gomy) + user_analysis.count_military_commissar) + user_analysis.count_specialist_statements) + user_analysis.count_observer_vo) + user_analysis.count_observer_vk) + user_analysis.count_administrator_military_office) + user_analysis.count_specialist_military_accounting) + user_analysis.count_specialist_acquisition))::numeric, (0)::numeric))), (0)::numeric) AS percent_specialist_military_accounting, - COALESCE(round((((user_analysis.count_specialist_acquisition)::numeric * (100)::numeric) / NULLIF(((((((((((((user_analysis.count_administrator_is + user_analysis.count_administrator_poib) + user_analysis.count_employee_gomy) + user_analysis.count_observer_gomy) + user_analysis.count_supervisor_gomy) + user_analysis.count_military_commissar) + user_analysis.count_specialist_statements) + user_analysis.count_observer_vo) + user_analysis.count_observer_vk) + user_analysis.count_administrator_military_office) + user_analysis.count_specialist_military_accounting) + user_analysis.count_specialist_acquisition))::numeric, (0)::numeric))), (0)::numeric) AS percent_specialist_acquisition + ((((((((((((user_analysis.count_administrator_is + user_analysis.count_administrator_poib) + user_analysis.count_employee_gomy) + user_analysis.count_observer_gomy) + user_analysis.count_supervisor_gomy) + user_analysis.count_military_commissar) + user_analysis.count_specialist_statements) + user_analysis.count_observer_vo) + user_analysis.count_observer_vk) + user_analysis.count_responsible_zi_svk) + user_analysis.count_responsible_zi) + user_analysis.count_specialist_military_accounting) + user_analysis.count_specialist_acquisition) AS count_all, + COALESCE(round((((user_analysis.count_administrator_is)::numeric * (100)::numeric) / NULLIF((((((((((((((user_analysis.count_administrator_is + user_analysis.count_administrator_poib) + user_analysis.count_employee_gomy) + user_analysis.count_observer_gomy) + user_analysis.count_supervisor_gomy) + user_analysis.count_military_commissar) + user_analysis.count_specialist_statements) + user_analysis.count_observer_vo) + user_analysis.count_observer_vk) + user_analysis.count_responsible_zi_svk) + user_analysis.count_responsible_zi) + user_analysis.count_specialist_military_accounting) + user_analysis.count_specialist_acquisition))::numeric, (0)::numeric))), (0)::numeric) AS percent_administrator_is, + COALESCE(round((((user_analysis.count_administrator_poib)::numeric * (100)::numeric) / NULLIF((((((((((((((user_analysis.count_administrator_is + user_analysis.count_administrator_poib) + user_analysis.count_employee_gomy) + user_analysis.count_observer_gomy) + user_analysis.count_supervisor_gomy) + user_analysis.count_military_commissar) + user_analysis.count_specialist_statements) + user_analysis.count_observer_vo) + user_analysis.count_observer_vk) + user_analysis.count_responsible_zi_svk) + user_analysis.count_responsible_zi) + user_analysis.count_specialist_military_accounting) + user_analysis.count_specialist_acquisition))::numeric, (0)::numeric))), (0)::numeric) AS percent_administrator_poib, + COALESCE(round((((user_analysis.count_employee_gomy)::numeric * (100)::numeric) / NULLIF((((((((((((((user_analysis.count_administrator_is + user_analysis.count_administrator_poib) + user_analysis.count_employee_gomy) + user_analysis.count_observer_gomy) + user_analysis.count_supervisor_gomy) + user_analysis.count_military_commissar) + user_analysis.count_specialist_statements) + user_analysis.count_observer_vo) + user_analysis.count_observer_vk) + user_analysis.count_responsible_zi_svk) + user_analysis.count_responsible_zi) + user_analysis.count_specialist_military_accounting) + user_analysis.count_specialist_acquisition))::numeric, (0)::numeric))), (0)::numeric) AS percent_employee_gomy, + COALESCE(round((((user_analysis.count_observer_gomy)::numeric * (100)::numeric) / NULLIF((((((((((((((user_analysis.count_administrator_is + user_analysis.count_administrator_poib) + user_analysis.count_employee_gomy) + user_analysis.count_observer_gomy) + user_analysis.count_supervisor_gomy) + user_analysis.count_military_commissar) + user_analysis.count_specialist_statements) + user_analysis.count_observer_vo) + user_analysis.count_observer_vk) + user_analysis.count_responsible_zi_svk) + user_analysis.count_responsible_zi) + user_analysis.count_specialist_military_accounting) + user_analysis.count_specialist_acquisition))::numeric, (0)::numeric))), (0)::numeric) AS percent_bserver_gomy, + COALESCE(round((((user_analysis.count_supervisor_gomy)::numeric * (100)::numeric) / NULLIF((((((((((((((user_analysis.count_administrator_is + user_analysis.count_administrator_poib) + user_analysis.count_employee_gomy) + user_analysis.count_observer_gomy) + user_analysis.count_supervisor_gomy) + user_analysis.count_military_commissar) + user_analysis.count_specialist_statements) + user_analysis.count_observer_vo) + user_analysis.count_observer_vk) + user_analysis.count_responsible_zi_svk) + user_analysis.count_responsible_zi) + user_analysis.count_specialist_military_accounting) + user_analysis.count_specialist_acquisition))::numeric, (0)::numeric))), (0)::numeric) AS percent_supervisor_gomy, + COALESCE(round((((user_analysis.count_military_commissar)::numeric * (100)::numeric) / NULLIF((((((((((((((user_analysis.count_administrator_is + user_analysis.count_administrator_poib) + user_analysis.count_employee_gomy) + user_analysis.count_observer_gomy) + user_analysis.count_supervisor_gomy) + user_analysis.count_military_commissar) + user_analysis.count_specialist_statements) + user_analysis.count_observer_vo) + user_analysis.count_observer_vk) + user_analysis.count_responsible_zi_svk) + user_analysis.count_responsible_zi) + user_analysis.count_specialist_military_accounting) + user_analysis.count_specialist_acquisition))::numeric, (0)::numeric))), (0)::numeric) AS percent_military_commissar, + COALESCE(round((((user_analysis.count_specialist_statements)::numeric * (100)::numeric) / NULLIF((((((((((((((user_analysis.count_administrator_is + user_analysis.count_administrator_poib) + user_analysis.count_employee_gomy) + user_analysis.count_observer_gomy) + user_analysis.count_supervisor_gomy) + user_analysis.count_military_commissar) + user_analysis.count_specialist_statements) + user_analysis.count_observer_vo) + user_analysis.count_observer_vk) + user_analysis.count_responsible_zi_svk) + user_analysis.count_responsible_zi) + user_analysis.count_specialist_military_accounting) + user_analysis.count_specialist_acquisition))::numeric, (0)::numeric))), (0)::numeric) AS percent_specialist_statements, + COALESCE(round((((user_analysis.count_observer_vo)::numeric * (100)::numeric) / NULLIF((((((((((((((user_analysis.count_administrator_is + user_analysis.count_administrator_poib) + user_analysis.count_employee_gomy) + user_analysis.count_observer_gomy) + user_analysis.count_supervisor_gomy) + user_analysis.count_military_commissar) + user_analysis.count_specialist_statements) + user_analysis.count_observer_vo) + user_analysis.count_observer_vk) + user_analysis.count_responsible_zi_svk) + user_analysis.count_responsible_zi) + user_analysis.count_specialist_military_accounting) + user_analysis.count_specialist_acquisition))::numeric, (0)::numeric))), (0)::numeric) AS percent_observer_vo, + COALESCE(round((((user_analysis.count_observer_vk)::numeric * (100)::numeric) / NULLIF((((((((((((((user_analysis.count_administrator_is + user_analysis.count_administrator_poib) + user_analysis.count_employee_gomy) + user_analysis.count_observer_gomy) + user_analysis.count_supervisor_gomy) + user_analysis.count_military_commissar) + user_analysis.count_specialist_statements) + user_analysis.count_observer_vo) + user_analysis.count_observer_vk) + user_analysis.count_responsible_zi_svk) + user_analysis.count_responsible_zi) + user_analysis.count_specialist_military_accounting) + user_analysis.count_specialist_acquisition))::numeric, (0)::numeric))), (0)::numeric) AS percent_observer_vk, + COALESCE(round((((user_analysis.count_responsible_zi)::numeric * (100)::numeric) / NULLIF((((((((((((((user_analysis.count_administrator_is + user_analysis.count_administrator_poib) + user_analysis.count_employee_gomy) + user_analysis.count_observer_gomy) + user_analysis.count_supervisor_gomy) + user_analysis.count_military_commissar) + user_analysis.count_specialist_statements) + user_analysis.count_observer_vo) + user_analysis.count_observer_vk) + user_analysis.count_responsible_zi_svk) + user_analysis.count_responsible_zi) + user_analysis.count_specialist_military_accounting) + user_analysis.count_specialist_acquisition))::numeric, (0)::numeric))), (0)::numeric) AS percent_responsible_zi, + COALESCE(round((((user_analysis.count_specialist_military_accounting)::numeric * (100)::numeric) / NULLIF((((((((((((((user_analysis.count_administrator_is + user_analysis.count_administrator_poib) + user_analysis.count_employee_gomy) + user_analysis.count_observer_gomy) + user_analysis.count_supervisor_gomy) + user_analysis.count_military_commissar) + user_analysis.count_specialist_statements) + user_analysis.count_observer_vo) + user_analysis.count_observer_vk) + user_analysis.count_responsible_zi_svk) + user_analysis.count_responsible_zi) + user_analysis.count_specialist_military_accounting) + user_analysis.count_specialist_acquisition))::numeric, (0)::numeric))), (0)::numeric) AS percent_specialist_military_accounting, + COALESCE(round((((user_analysis.count_specialist_acquisition)::numeric * (100)::numeric) / NULLIF((((((((((((((user_analysis.count_administrator_is + user_analysis.count_administrator_poib) + user_analysis.count_employee_gomy) + user_analysis.count_observer_gomy) + user_analysis.count_supervisor_gomy) + user_analysis.count_military_commissar) + user_analysis.count_specialist_statements) + user_analysis.count_observer_vo) + user_analysis.count_observer_vk) + user_analysis.count_responsible_zi_svk) + user_analysis.count_responsible_zi) + user_analysis.count_specialist_military_accounting) + user_analysis.count_specialist_acquisition))::numeric, (0)::numeric))), (0)::numeric) AS percent_specialist_acquisition, + COALESCE(round((((user_analysis.count_responsible_zi_svk)::numeric * (100)::numeric) / NULLIF((((((((((((((user_analysis.count_administrator_is + user_analysis.count_administrator_poib) + user_analysis.count_employee_gomy) + user_analysis.count_observer_gomy) + user_analysis.count_supervisor_gomy) + user_analysis.count_military_commissar) + user_analysis.count_specialist_statements) + user_analysis.count_observer_vo) + user_analysis.count_observer_vk) + user_analysis.count_responsible_zi_svk) + user_analysis.count_responsible_zi) + user_analysis.count_specialist_military_accounting) + user_analysis.count_specialist_acquisition))::numeric, (0)::numeric))), (0)::numeric) AS percent_responsible_zi_svk FROM admin_indicators.user_analysis; """), where); } diff --git a/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/admin_indicators/tables/records/UserAnalysisRecord.java b/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/admin_indicators/tables/records/UserAnalysisRecord.java index 1edd746..7e38807 100644 --- a/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/admin_indicators/tables/records/UserAnalysisRecord.java +++ b/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/admin_indicators/tables/records/UserAnalysisRecord.java @@ -339,6 +339,42 @@ public class UserAnalysisRecord extends UpdatableRecordImpl return (String) get(18); } + /** + * Setter for + * admin_indicators.user_analysis.count_responsible_zi. + * Ответственный за ЗИ + */ + public void setCountResponsibleZi(Long value) { + set(19, value); + } + + /** + * Getter for + * admin_indicators.user_analysis.count_responsible_zi. + * Ответственный за ЗИ + */ + public Long getCountResponsibleZi() { + return (Long) get(19); + } + + /** + * Setter for + * admin_indicators.user_analysis.count_responsible_zi_svk. + * Ответственный за ЗИ СВК + */ + public void setCountResponsibleZiSvk(Long value) { + set(20, value); + } + + /** + * Getter for + * admin_indicators.user_analysis.count_responsible_zi_svk. + * Ответственный за ЗИ СВК + */ + public Long getCountResponsibleZiSvk() { + return (Long) get(20); + } + // ------------------------------------------------------------------------- // Primary key information // ------------------------------------------------------------------------- @@ -362,7 +398,7 @@ public class UserAnalysisRecord extends UpdatableRecordImpl /** * Create a detached, initialised UserAnalysisRecord */ - public UserAnalysisRecord(Long userAnalysisId, Timestamp updateDate, Date infoDate, Long countOffices, Long countRegUsers, Long countInvalidAuthentication, Long countAdministratorIs, Long countAdministratorPoib, Long countEmployeeGomy, Long countObserverGomy, Long countSupervisorGomy, Long countMilitaryCommissar, Long countSpecialistStatements, Long countObserverVo, Long countObserverVk, Long countAdministratorMilitaryOffice, Long countSpecialistMilitaryAccounting, Long countSpecialistAcquisition, String recruitmentId) { + public UserAnalysisRecord(Long userAnalysisId, Timestamp updateDate, Date infoDate, Long countOffices, Long countRegUsers, Long countInvalidAuthentication, Long countAdministratorIs, Long countAdministratorPoib, Long countEmployeeGomy, Long countObserverGomy, Long countSupervisorGomy, Long countMilitaryCommissar, Long countSpecialistStatements, Long countObserverVo, Long countObserverVk, Long countAdministratorMilitaryOffice, Long countSpecialistMilitaryAccounting, Long countSpecialistAcquisition, String recruitmentId, Long countResponsibleZi, Long countResponsibleZiSvk) { super(UserAnalysis.USER_ANALYSIS); setUserAnalysisId(userAnalysisId); @@ -384,6 +420,8 @@ public class UserAnalysisRecord extends UpdatableRecordImpl setCountSpecialistMilitaryAccounting(countSpecialistMilitaryAccounting); setCountSpecialistAcquisition(countSpecialistAcquisition); setRecruitmentId(recruitmentId); + setCountResponsibleZi(countResponsibleZi); + setCountResponsibleZiSvk(countResponsibleZiSvk); resetChangedOnNotNull(); } } diff --git a/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/admin_indicators/tables/records/ViewUserAnalysisRecord.java b/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/admin_indicators/tables/records/ViewUserAnalysisRecord.java index 82fb400..92d9af8 100644 --- a/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/admin_indicators/tables/records/ViewUserAnalysisRecord.java +++ b/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/admin_indicators/tables/records/ViewUserAnalysisRecord.java @@ -195,17 +195,17 @@ public class ViewUserAnalysisRecord extends TableRecordImpladmin_indicators.view_user_analysis.percent_administrator_military_office. + * admin_indicators.view_user_analysis.percent_responsible_zi. */ - public void setPercentAdministratorMilitaryOffice(BigDecimal value) { + public void setPercentResponsibleZi(BigDecimal value) { set(11, value); } /** * Getter for - * admin_indicators.view_user_analysis.percent_administrator_military_office. + * admin_indicators.view_user_analysis.percent_responsible_zi. */ - public BigDecimal getPercentAdministratorMilitaryOffice() { + public BigDecimal getPercentResponsibleZi() { return (BigDecimal) get(11); } @@ -241,6 +241,22 @@ public class ViewUserAnalysisRecord extends TableRecordImpladmin_indicators.view_user_analysis.percent_responsible_zi_svk. + */ + public void setPercentResponsibleZiSvk(BigDecimal value) { + set(14, value); + } + + /** + * Getter for + * admin_indicators.view_user_analysis.percent_responsible_zi_svk. + */ + public BigDecimal getPercentResponsibleZiSvk() { + return (BigDecimal) get(14); + } + // ------------------------------------------------------------------------- // Constructors // ------------------------------------------------------------------------- @@ -255,7 +271,7 @@ public class ViewUserAnalysisRecord extends TableRecordImplidm_reconcile + */ + public static final IdmReconcile IDM_RECONCILE = new IdmReconcile(); + + /** + * The table idm_reconcile.account. + */ + public final Account ACCOUNT = Account.ACCOUNT; + + /** + * The table idm_reconcile.account_role. + */ + public final AccountRole ACCOUNT_ROLE = AccountRole.ACCOUNT_ROLE; + + /** + * The table idm_reconcile.domain. + */ + public final Domain DOMAIN = Domain.DOMAIN; + + /** + * The table idm_reconcile.role. + */ + public final Role ROLE = Role.ROLE; + + /** + * No further instances allowed + */ + private IdmReconcile() { + super("idm_reconcile", null); + } + + + @Override + public Catalog getCatalog() { + return DefaultCatalog.DEFAULT_CATALOG; + } + + @Override + public final List> getTables() { + return Arrays.asList( + Account.ACCOUNT, + AccountRole.ACCOUNT_ROLE, + Domain.DOMAIN, + Role.ROLE + ); + } +} diff --git a/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/idm_reconcile/Keys.java b/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/idm_reconcile/Keys.java new file mode 100644 index 0000000..cdf9869 --- /dev/null +++ b/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/idm_reconcile/Keys.java @@ -0,0 +1,46 @@ +/* + * This file is generated by jOOQ. + */ +package ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile; + + +import org.jooq.ForeignKey; +import org.jooq.TableField; +import org.jooq.UniqueKey; +import org.jooq.impl.DSL; +import org.jooq.impl.Internal; + +import ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.tables.Account; +import ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.tables.AccountRole; +import ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.tables.Domain; +import ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.tables.Role; +import ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.tables.records.AccountRecord; +import ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.tables.records.AccountRoleRecord; +import ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.tables.records.DomainRecord; +import ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.tables.records.RoleRecord; + + +/** + * A class modelling foreign key relationships and constraints of tables in + * idm_reconcile. + */ +@SuppressWarnings({ "all", "unchecked", "rawtypes" }) +public class Keys { + + // ------------------------------------------------------------------------- + // UNIQUE and PRIMARY KEY definitions + // ------------------------------------------------------------------------- + + public static final UniqueKey ACCOUNT_PKEY = Internal.createUniqueKey(Account.ACCOUNT, DSL.name("account_pkey"), new TableField[] { Account.ACCOUNT.ID }, true); + public static final UniqueKey PK_ACCOUNT_ROLE = Internal.createUniqueKey(AccountRole.ACCOUNT_ROLE, DSL.name("pk_account_role"), new TableField[] { AccountRole.ACCOUNT_ROLE.ACCOUNT_ID, AccountRole.ACCOUNT_ROLE.ROLE_ID }, true); + public static final UniqueKey DOMAIN_PKEY = Internal.createUniqueKey(Domain.DOMAIN, DSL.name("domain_pkey"), new TableField[] { Domain.DOMAIN.ID }, true); + public static final UniqueKey ROLE_PKEY = Internal.createUniqueKey(Role.ROLE, DSL.name("role_pkey"), new TableField[] { Role.ROLE.ID }, true); + + // ------------------------------------------------------------------------- + // FOREIGN KEY definitions + // ------------------------------------------------------------------------- + + public static final ForeignKey ACCOUNT__FK_DOMAIN = Internal.createForeignKey(Account.ACCOUNT, DSL.name("fk_domain"), new TableField[] { Account.ACCOUNT.DOMAIN_ID }, Keys.DOMAIN_PKEY, new TableField[] { Domain.DOMAIN.ID }, true); + public static final ForeignKey ACCOUNT_ROLE__FK_ACCOUNT_ROLE_ACCOUNT = Internal.createForeignKey(AccountRole.ACCOUNT_ROLE, DSL.name("fk_account_role_account"), new TableField[] { AccountRole.ACCOUNT_ROLE.ACCOUNT_ID }, Keys.ACCOUNT_PKEY, new TableField[] { Account.ACCOUNT.ID }, true); + public static final ForeignKey ACCOUNT_ROLE__FK_ACCOUNT_ROLE_ROLE = Internal.createForeignKey(AccountRole.ACCOUNT_ROLE, DSL.name("fk_account_role_role"), new TableField[] { AccountRole.ACCOUNT_ROLE.ROLE_ID }, Keys.ROLE_PKEY, new TableField[] { Role.ROLE.ID }, true); +} diff --git a/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/idm_reconcile/Tables.java b/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/idm_reconcile/Tables.java new file mode 100644 index 0000000..7001362 --- /dev/null +++ b/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/idm_reconcile/Tables.java @@ -0,0 +1,38 @@ +/* + * This file is generated by jOOQ. + */ +package ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile; + + +import ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.tables.Account; +import ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.tables.AccountRole; +import ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.tables.Domain; +import ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.tables.Role; + + +/** + * Convenience access to all tables in idm_reconcile. + */ +@SuppressWarnings({ "all", "unchecked", "rawtypes" }) +public class Tables { + + /** + * The table idm_reconcile.account. + */ + public static final Account ACCOUNT = Account.ACCOUNT; + + /** + * The table idm_reconcile.account_role. + */ + public static final AccountRole ACCOUNT_ROLE = AccountRole.ACCOUNT_ROLE; + + /** + * The table idm_reconcile.domain. + */ + public static final Domain DOMAIN = Domain.DOMAIN; + + /** + * The table idm_reconcile.role. + */ + public static final Role ROLE = Role.ROLE; +} diff --git a/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/idm_reconcile/tables/Account.java b/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/idm_reconcile/tables/Account.java new file mode 100644 index 0000000..b955bcd --- /dev/null +++ b/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/idm_reconcile/tables/Account.java @@ -0,0 +1,353 @@ +/* + * This file is generated by jOOQ. + */ +package ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.tables; + + +import java.sql.Timestamp; +import java.util.Arrays; +import java.util.Collection; +import java.util.List; + +import org.jooq.Condition; +import org.jooq.Field; +import org.jooq.ForeignKey; +import org.jooq.InverseForeignKey; +import org.jooq.Name; +import org.jooq.Path; +import org.jooq.PlainSQL; +import org.jooq.QueryPart; +import org.jooq.Record; +import org.jooq.SQL; +import org.jooq.Schema; +import org.jooq.Select; +import org.jooq.Stringly; +import org.jooq.Table; +import org.jooq.TableField; +import org.jooq.TableOptions; +import org.jooq.UniqueKey; +import org.jooq.impl.DSL; +import org.jooq.impl.SQLDataType; +import org.jooq.impl.TableImpl; + +import ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.IdmReconcile; +import ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.Keys; +import ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.tables.AccountRole.AccountRolePath; +import ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.tables.Domain.DomainPath; +import ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.tables.Role.RolePath; +import ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.tables.records.AccountRecord; + + +/** + * This class is generated by jOOQ. + */ +@SuppressWarnings({ "all", "unchecked", "rawtypes" }) +public class Account extends TableImpl { + + private static final long serialVersionUID = 1L; + + /** + * The reference instance of idm_reconcile.account + */ + public static final Account ACCOUNT = new Account(); + + /** + * The class holding records for this type + */ + @Override + public Class getRecordType() { + return AccountRecord.class; + } + + /** + * The column idm_reconcile.account.id. + */ + public final TableField ID = createField(DSL.name("id"), SQLDataType.VARCHAR(36).nullable(false), this, ""); + + /** + * The column idm_reconcile.account.version. + */ + public final TableField VERSION = createField(DSL.name("version"), SQLDataType.INTEGER.nullable(false), this, ""); + + /** + * The column idm_reconcile.account.modified. + */ + public final TableField MODIFIED = createField(DSL.name("modified"), SQLDataType.TIMESTAMP(0), this, ""); + + /** + * The column idm_reconcile.account.schema. + */ + public final TableField SCHEMA = createField(DSL.name("schema"), SQLDataType.VARCHAR(100).nullable(false), this, ""); + + /** + * The column idm_reconcile.account.start. + */ + public final TableField START = createField(DSL.name("start"), SQLDataType.VARCHAR(50), this, ""); + + /** + * The column idm_reconcile.account.finish. + */ + public final TableField FINISH = createField(DSL.name("finish"), SQLDataType.VARCHAR(50), this, ""); + + /** + * The column idm_reconcile.account.enabled. + */ + public final TableField ENABLED = createField(DSL.name("enabled"), SQLDataType.BOOLEAN.nullable(false).defaultValue(DSL.field(DSL.raw("true"), SQLDataType.BOOLEAN)), this, ""); + + /** + * The column idm_reconcile.account.position. + */ + public final TableField POSITION = createField(DSL.name("position"), SQLDataType.VARCHAR(255), this, ""); + + /** + * The column idm_reconcile.account.fio. + */ + public final TableField FIO = createField(DSL.name("fio"), SQLDataType.VARCHAR(255), this, ""); + + /** + * The column idm_reconcile.account.work_mail. + */ + public final TableField WORK_MAIL = createField(DSL.name("work_mail"), SQLDataType.VARCHAR(255), this, ""); + + /** + * The column idm_reconcile.account.esia_account. + */ + public final TableField ESIA_ACCOUNT = createField(DSL.name("esia_account"), SQLDataType.BOOLEAN.nullable(false).defaultValue(DSL.field(DSL.raw("false"), SQLDataType.BOOLEAN)), this, ""); + + /** + * The column idm_reconcile.account.domain_id. + */ + public final TableField DOMAIN_ID = createField(DSL.name("domain_id"), SQLDataType.VARCHAR(36), this, ""); + + private Account(Name alias, Table aliased) { + this(alias, aliased, (Field[]) null, null); + } + + private Account(Name alias, Table aliased, Field[] parameters, Condition where) { + super(alias, null, aliased, parameters, DSL.comment(""), TableOptions.table(), where); + } + + /** + * Create an aliased idm_reconcile.account table reference + */ + public Account(String alias) { + this(DSL.name(alias), ACCOUNT); + } + + /** + * Create an aliased idm_reconcile.account table reference + */ + public Account(Name alias) { + this(alias, ACCOUNT); + } + + /** + * Create a idm_reconcile.account table reference + */ + public Account() { + this(DSL.name("account"), null); + } + + public Account(Table path, ForeignKey childPath, InverseForeignKey parentPath) { + super(path, childPath, parentPath, ACCOUNT); + } + + /** + * A subtype implementing {@link Path} for simplified path-based joins. + */ + public static class AccountPath extends Account implements Path { + public AccountPath(Table path, ForeignKey childPath, InverseForeignKey parentPath) { + super(path, childPath, parentPath); + } + private AccountPath(Name alias, Table aliased) { + super(alias, aliased); + } + + @Override + public AccountPath as(String alias) { + return new AccountPath(DSL.name(alias), this); + } + + @Override + public AccountPath as(Name alias) { + return new AccountPath(alias, this); + } + + @Override + public AccountPath as(Table alias) { + return new AccountPath(alias.getQualifiedName(), this); + } + } + + @Override + public Schema getSchema() { + return aliased() ? null : IdmReconcile.IDM_RECONCILE; + } + + @Override + public UniqueKey getPrimaryKey() { + return Keys.ACCOUNT_PKEY; + } + + @Override + public List> getReferences() { + return Arrays.asList(Keys.ACCOUNT__FK_DOMAIN); + } + + private transient DomainPath _domain; + + /** + * Get the implicit join path to the idm_reconcile.domain + * table. + */ + public DomainPath domain() { + if (_domain == null) + _domain = new DomainPath(this, Keys.ACCOUNT__FK_DOMAIN, null); + + return _domain; + } + + private transient AccountRolePath _accountRole; + + /** + * Get the implicit to-many join path to the + * idm_reconcile.account_role table + */ + public AccountRolePath accountRole() { + if (_accountRole == null) + _accountRole = new AccountRolePath(this, null, Keys.ACCOUNT_ROLE__FK_ACCOUNT_ROLE_ACCOUNT.getInverseKey()); + + return _accountRole; + } + + /** + * Get the implicit many-to-many join path to the + * idm_reconcile.role table + */ + public RolePath role() { + return accountRole().role(); + } + + @Override + public Account as(String alias) { + return new Account(DSL.name(alias), this); + } + + @Override + public Account as(Name alias) { + return new Account(alias, this); + } + + @Override + public Account as(Table alias) { + return new Account(alias.getQualifiedName(), this); + } + + /** + * Rename this table + */ + @Override + public Account rename(String name) { + return new Account(DSL.name(name), null); + } + + /** + * Rename this table + */ + @Override + public Account rename(Name name) { + return new Account(name, null); + } + + /** + * Rename this table + */ + @Override + public Account rename(Table name) { + return new Account(name.getQualifiedName(), null); + } + + /** + * Create an inline derived table from this table + */ + @Override + public Account where(Condition condition) { + return new Account(getQualifiedName(), aliased() ? this : null, null, condition); + } + + /** + * Create an inline derived table from this table + */ + @Override + public Account where(Collection conditions) { + return where(DSL.and(conditions)); + } + + /** + * Create an inline derived table from this table + */ + @Override + public Account where(Condition... conditions) { + return where(DSL.and(conditions)); + } + + /** + * Create an inline derived table from this table + */ + @Override + public Account where(Field condition) { + return where(DSL.condition(condition)); + } + + /** + * Create an inline derived table from this table + */ + @Override + @PlainSQL + public Account where(SQL condition) { + return where(DSL.condition(condition)); + } + + /** + * Create an inline derived table from this table + */ + @Override + @PlainSQL + public Account where(@Stringly.SQL String condition) { + return where(DSL.condition(condition)); + } + + /** + * Create an inline derived table from this table + */ + @Override + @PlainSQL + public Account where(@Stringly.SQL String condition, Object... binds) { + return where(DSL.condition(condition, binds)); + } + + /** + * Create an inline derived table from this table + */ + @Override + @PlainSQL + public Account where(@Stringly.SQL String condition, QueryPart... parts) { + return where(DSL.condition(condition, parts)); + } + + /** + * Create an inline derived table from this table + */ + @Override + public Account whereExists(Select select) { + return where(DSL.exists(select)); + } + + /** + * Create an inline derived table from this table + */ + @Override + public Account whereNotExists(Select select) { + return where(DSL.notExists(select)); + } +} diff --git a/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/idm_reconcile/tables/AccountRole.java b/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/idm_reconcile/tables/AccountRole.java new file mode 100644 index 0000000..e0a896c --- /dev/null +++ b/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/idm_reconcile/tables/AccountRole.java @@ -0,0 +1,292 @@ +/* + * This file is generated by jOOQ. + */ +package ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.tables; + + +import java.util.Arrays; +import java.util.Collection; +import java.util.List; + +import org.jooq.Condition; +import org.jooq.Field; +import org.jooq.ForeignKey; +import org.jooq.InverseForeignKey; +import org.jooq.Name; +import org.jooq.Path; +import org.jooq.PlainSQL; +import org.jooq.QueryPart; +import org.jooq.Record; +import org.jooq.SQL; +import org.jooq.Schema; +import org.jooq.Select; +import org.jooq.Stringly; +import org.jooq.Table; +import org.jooq.TableField; +import org.jooq.TableOptions; +import org.jooq.UniqueKey; +import org.jooq.impl.DSL; +import org.jooq.impl.SQLDataType; +import org.jooq.impl.TableImpl; + +import ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.IdmReconcile; +import ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.Keys; +import ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.tables.Account.AccountPath; +import ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.tables.Role.RolePath; +import ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.tables.records.AccountRoleRecord; + + +/** + * This class is generated by jOOQ. + */ +@SuppressWarnings({ "all", "unchecked", "rawtypes" }) +public class AccountRole extends TableImpl { + + private static final long serialVersionUID = 1L; + + /** + * The reference instance of idm_reconcile.account_role + */ + public static final AccountRole ACCOUNT_ROLE = new AccountRole(); + + /** + * The class holding records for this type + */ + @Override + public Class getRecordType() { + return AccountRoleRecord.class; + } + + /** + * The column idm_reconcile.account_role.account_id. + */ + public final TableField ACCOUNT_ID = createField(DSL.name("account_id"), SQLDataType.VARCHAR(36).nullable(false), this, ""); + + /** + * The column idm_reconcile.account_role.role_id. + */ + public final TableField ROLE_ID = createField(DSL.name("role_id"), SQLDataType.VARCHAR(36).nullable(false), this, ""); + + private AccountRole(Name alias, Table aliased) { + this(alias, aliased, (Field[]) null, null); + } + + private AccountRole(Name alias, Table aliased, Field[] parameters, Condition where) { + super(alias, null, aliased, parameters, DSL.comment(""), TableOptions.table(), where); + } + + /** + * Create an aliased idm_reconcile.account_role table reference + */ + public AccountRole(String alias) { + this(DSL.name(alias), ACCOUNT_ROLE); + } + + /** + * Create an aliased idm_reconcile.account_role table reference + */ + public AccountRole(Name alias) { + this(alias, ACCOUNT_ROLE); + } + + /** + * Create a idm_reconcile.account_role table reference + */ + public AccountRole() { + this(DSL.name("account_role"), null); + } + + public AccountRole(Table path, ForeignKey childPath, InverseForeignKey parentPath) { + super(path, childPath, parentPath, ACCOUNT_ROLE); + } + + /** + * A subtype implementing {@link Path} for simplified path-based joins. + */ + public static class AccountRolePath extends AccountRole implements Path { + public AccountRolePath(Table path, ForeignKey childPath, InverseForeignKey parentPath) { + super(path, childPath, parentPath); + } + private AccountRolePath(Name alias, Table aliased) { + super(alias, aliased); + } + + @Override + public AccountRolePath as(String alias) { + return new AccountRolePath(DSL.name(alias), this); + } + + @Override + public AccountRolePath as(Name alias) { + return new AccountRolePath(alias, this); + } + + @Override + public AccountRolePath as(Table alias) { + return new AccountRolePath(alias.getQualifiedName(), this); + } + } + + @Override + public Schema getSchema() { + return aliased() ? null : IdmReconcile.IDM_RECONCILE; + } + + @Override + public UniqueKey getPrimaryKey() { + return Keys.PK_ACCOUNT_ROLE; + } + + @Override + public List> getReferences() { + return Arrays.asList(Keys.ACCOUNT_ROLE__FK_ACCOUNT_ROLE_ACCOUNT, Keys.ACCOUNT_ROLE__FK_ACCOUNT_ROLE_ROLE); + } + + private transient AccountPath _account; + + /** + * Get the implicit join path to the idm_reconcile.account + * table. + */ + public AccountPath account() { + if (_account == null) + _account = new AccountPath(this, Keys.ACCOUNT_ROLE__FK_ACCOUNT_ROLE_ACCOUNT, null); + + return _account; + } + + private transient RolePath _role; + + /** + * Get the implicit join path to the idm_reconcile.role table. + */ + public RolePath role() { + if (_role == null) + _role = new RolePath(this, Keys.ACCOUNT_ROLE__FK_ACCOUNT_ROLE_ROLE, null); + + return _role; + } + + @Override + public AccountRole as(String alias) { + return new AccountRole(DSL.name(alias), this); + } + + @Override + public AccountRole as(Name alias) { + return new AccountRole(alias, this); + } + + @Override + public AccountRole as(Table alias) { + return new AccountRole(alias.getQualifiedName(), this); + } + + /** + * Rename this table + */ + @Override + public AccountRole rename(String name) { + return new AccountRole(DSL.name(name), null); + } + + /** + * Rename this table + */ + @Override + public AccountRole rename(Name name) { + return new AccountRole(name, null); + } + + /** + * Rename this table + */ + @Override + public AccountRole rename(Table name) { + return new AccountRole(name.getQualifiedName(), null); + } + + /** + * Create an inline derived table from this table + */ + @Override + public AccountRole where(Condition condition) { + return new AccountRole(getQualifiedName(), aliased() ? this : null, null, condition); + } + + /** + * Create an inline derived table from this table + */ + @Override + public AccountRole where(Collection conditions) { + return where(DSL.and(conditions)); + } + + /** + * Create an inline derived table from this table + */ + @Override + public AccountRole where(Condition... conditions) { + return where(DSL.and(conditions)); + } + + /** + * Create an inline derived table from this table + */ + @Override + public AccountRole where(Field condition) { + return where(DSL.condition(condition)); + } + + /** + * Create an inline derived table from this table + */ + @Override + @PlainSQL + public AccountRole where(SQL condition) { + return where(DSL.condition(condition)); + } + + /** + * Create an inline derived table from this table + */ + @Override + @PlainSQL + public AccountRole where(@Stringly.SQL String condition) { + return where(DSL.condition(condition)); + } + + /** + * Create an inline derived table from this table + */ + @Override + @PlainSQL + public AccountRole where(@Stringly.SQL String condition, Object... binds) { + return where(DSL.condition(condition, binds)); + } + + /** + * Create an inline derived table from this table + */ + @Override + @PlainSQL + public AccountRole where(@Stringly.SQL String condition, QueryPart... parts) { + return where(DSL.condition(condition, parts)); + } + + /** + * Create an inline derived table from this table + */ + @Override + public AccountRole whereExists(Select select) { + return where(DSL.exists(select)); + } + + /** + * Create an inline derived table from this table + */ + @Override + public AccountRole whereNotExists(Select select) { + return where(DSL.notExists(select)); + } +} diff --git a/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/idm_reconcile/tables/Domain.java b/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/idm_reconcile/tables/Domain.java new file mode 100644 index 0000000..f3e17b2 --- /dev/null +++ b/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/idm_reconcile/tables/Domain.java @@ -0,0 +1,514 @@ +/* + * This file is generated by jOOQ. + */ +package ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.tables; + + +import java.sql.Timestamp; +import java.util.Collection; + +import org.jooq.Condition; +import org.jooq.Field; +import org.jooq.ForeignKey; +import org.jooq.InverseForeignKey; +import org.jooq.Name; +import org.jooq.Path; +import org.jooq.PlainSQL; +import org.jooq.QueryPart; +import org.jooq.Record; +import org.jooq.SQL; +import org.jooq.Schema; +import org.jooq.Select; +import org.jooq.Stringly; +import org.jooq.Table; +import org.jooq.TableField; +import org.jooq.TableOptions; +import org.jooq.UniqueKey; +import org.jooq.impl.DSL; +import org.jooq.impl.SQLDataType; +import org.jooq.impl.TableImpl; + +import ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.IdmReconcile; +import ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.Keys; +import ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.tables.Account.AccountPath; +import ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.tables.records.DomainRecord; + + +/** + * This class is generated by jOOQ. + */ +@SuppressWarnings({ "all", "unchecked", "rawtypes" }) +public class Domain extends TableImpl { + + private static final long serialVersionUID = 1L; + + /** + * The reference instance of idm_reconcile.domain + */ + public static final Domain DOMAIN = new Domain(); + + /** + * The class holding records for this type + */ + @Override + public Class getRecordType() { + return DomainRecord.class; + } + + /** + * The column idm_reconcile.domain.id. + */ + public final TableField ID = createField(DSL.name("id"), SQLDataType.VARCHAR(255).nullable(false), this, ""); + + /** + * The column idm_reconcile.domain.version. + */ + public final TableField VERSION = createField(DSL.name("version"), SQLDataType.INTEGER.nullable(false), this, ""); + + /** + * The column idm_reconcile.domain.modified. + */ + public final TableField MODIFIED = createField(DSL.name("modified"), SQLDataType.TIMESTAMP(0), this, ""); + + /** + * The column idm_reconcile.domain.schema. + */ + public final TableField SCHEMA = createField(DSL.name("schema"), SQLDataType.VARCHAR(255).nullable(false), this, ""); + + /** + * The column idm_reconcile.domain.name. + */ + public final TableField NAME = createField(DSL.name("name"), SQLDataType.VARCHAR(255), this, ""); + + /** + * The column idm_reconcile.domain.shortname. + */ + public final TableField SHORTNAME = createField(DSL.name("shortname"), SQLDataType.VARCHAR(255), this, ""); + + /** + * The column idm_reconcile.domain.fullname. + */ + public final TableField FULLNAME = createField(DSL.name("fullname"), SQLDataType.VARCHAR(255), this, ""); + + /** + * The column idm_reconcile.domain.dns. + */ + public final TableField DNS = createField(DSL.name("dns"), SQLDataType.VARCHAR(255), this, ""); + + /** + * The column idm_reconcile.domain.email. + */ + public final TableField EMAIL = createField(DSL.name("email"), SQLDataType.VARCHAR(255), this, ""); + + /** + * The column idm_reconcile.domain.phone. + */ + public final TableField PHONE = createField(DSL.name("phone"), SQLDataType.VARCHAR(255), this, ""); + + /** + * The column idm_reconcile.domain.address. + */ + public final TableField ADDRESS = createField(DSL.name("address"), SQLDataType.VARCHAR(1024), this, ""); + + /** + * The column idm_reconcile.domain.postal_address. + */ + public final TableField POSTAL_ADDRESS = createField(DSL.name("postal_address"), SQLDataType.VARCHAR(1024), this, ""); + + /** + * The column idm_reconcile.domain.address_id. + */ + public final TableField ADDRESS_ID = createField(DSL.name("address_id"), SQLDataType.VARCHAR(255), this, ""); + + /** + * The column idm_reconcile.domain.postal_address_id. + */ + public final TableField POSTAL_ADDRESS_ID = createField(DSL.name("postal_address_id"), SQLDataType.VARCHAR(255), this, ""); + + /** + * The column idm_reconcile.domain.military_code. + */ + public final TableField MILITARY_CODE = createField(DSL.name("military_code"), SQLDataType.VARCHAR(255), this, ""); + + /** + * The column idm_reconcile.domain.timezone. + */ + public final TableField TIMEZONE = createField(DSL.name("timezone"), SQLDataType.VARCHAR(255), this, ""); + + /** + * The column idm_reconcile.domain.reports_enabled. + */ + public final TableField REPORTS_ENABLED = createField(DSL.name("reports_enabled"), SQLDataType.BOOLEAN, this, ""); + + /** + * The column idm_reconcile.domain.inn. + */ + public final TableField INN = createField(DSL.name("inn"), SQLDataType.VARCHAR(255), this, ""); + + /** + * The column idm_reconcile.domain.leg. + */ + public final TableField LEG = createField(DSL.name("leg"), SQLDataType.VARCHAR(255), this, ""); + + /** + * The column idm_reconcile.domain.ogrn. + */ + public final TableField OGRN = createField(DSL.name("ogrn"), SQLDataType.VARCHAR(255), this, ""); + + /** + * The column idm_reconcile.domain.region. + */ + public final TableField REGION = createField(DSL.name("region"), SQLDataType.VARCHAR(255), this, ""); + + /** + * The column idm_reconcile.domain.epgu_id. + */ + public final TableField EPGU_ID = createField(DSL.name("epgu_id"), SQLDataType.VARCHAR(255), this, ""); + + /** + * The column idm_reconcile.domain.type. + */ + public final TableField TYPE = createField(DSL.name("type"), SQLDataType.VARCHAR(255), this, ""); + + /** + * The column idm_reconcile.domain.esia_employee_authorization. + */ + public final TableField ESIA_EMPLOYEE_AUTHORIZATION = createField(DSL.name("esia_employee_authorization"), SQLDataType.BOOLEAN, this, ""); + + /** + * The column idm_reconcile.domain.default_s3_bucket. + */ + public final TableField DEFAULT_S3_BUCKET = createField(DSL.name("default_s3_bucket"), SQLDataType.VARCHAR(255), this, ""); + + /** + * The column idm_reconcile.domain.opf. + */ + public final TableField OPF = createField(DSL.name("opf"), SQLDataType.VARCHAR(255), this, ""); + + /** + * The column idm_reconcile.domain.kpp. + */ + public final TableField KPP = createField(DSL.name("kpp"), SQLDataType.VARCHAR(255), this, ""); + + /** + * The column idm_reconcile.domain.checking_account. + */ + public final TableField CHECKING_ACCOUNT = createField(DSL.name("checking_account"), SQLDataType.VARCHAR(255), this, ""); + + /** + * The column idm_reconcile.domain.bik. + */ + public final TableField BIK = createField(DSL.name("bik"), SQLDataType.VARCHAR(255), this, ""); + + /** + * The column idm_reconcile.domain.bank_name. + */ + public final TableField BANK_NAME = createField(DSL.name("bank_name"), SQLDataType.VARCHAR(255), this, ""); + + /** + * The column idm_reconcile.domain.bank_correspondent_account. + */ + public final TableField BANK_CORRESPONDENT_ACCOUNT = createField(DSL.name("bank_correspondent_account"), SQLDataType.VARCHAR(255), this, ""); + + /** + * The column idm_reconcile.domain.oktmo. + */ + public final TableField OKTMO = createField(DSL.name("oktmo"), SQLDataType.VARCHAR(255), this, ""); + + /** + * The column idm_reconcile.domain.okato. + */ + public final TableField OKATO = createField(DSL.name("okato"), SQLDataType.VARCHAR(255), this, ""); + + /** + * The column idm_reconcile.domain.gov_registration_date. + */ + public final TableField GOV_REGISTRATION_DATE = createField(DSL.name("gov_registration_date"), SQLDataType.VARCHAR(255), this, ""); + + /** + * The column idm_reconcile.domain.gov_organization_type. + */ + public final TableField GOV_ORGANIZATION_TYPE = createField(DSL.name("gov_organization_type"), SQLDataType.VARCHAR(255), this, ""); + + /** + * The column idm_reconcile.domain.alias_key. + */ + public final TableField ALIAS_KEY = createField(DSL.name("alias_key"), SQLDataType.VARCHAR(255), this, ""); + + /** + * The column idm_reconcile.domain.pass_key. + */ + public final TableField PASS_KEY = createField(DSL.name("pass_key"), SQLDataType.VARCHAR(255), this, ""); + + /** + * The column idm_reconcile.domain.certificate. + */ + public final TableField CERTIFICATE = createField(DSL.name("certificate"), SQLDataType.VARCHAR(2048), this, ""); + + /** + * The column idm_reconcile.domain.account_number_tofk. + */ + public final TableField ACCOUNT_NUMBER_TOFK = createField(DSL.name("account_number_tofk"), SQLDataType.VARCHAR(255), this, ""); + + /** + * The column idm_reconcile.domain.bik_tofk. + */ + public final TableField BIK_TOFK = createField(DSL.name("bik_tofk"), SQLDataType.VARCHAR(255), this, ""); + + /** + * The column + * idm_reconcile.domain.correspondent_bank_account_tofk. + */ + public final TableField CORRESPONDENT_BANK_ACCOUNT_TOFK = createField(DSL.name("correspondent_bank_account_tofk"), SQLDataType.VARCHAR(255), this, ""); + + /** + * The column idm_reconcile.domain.name_tofk. + */ + public final TableField NAME_TOFK = createField(DSL.name("name_tofk"), SQLDataType.VARCHAR(255), this, ""); + + /** + * The column idm_reconcile.domain.nsi_organization_id. + */ + public final TableField NSI_ORGANIZATION_ID = createField(DSL.name("nsi_organization_id"), SQLDataType.VARCHAR(255), this, ""); + + /** + * The column idm_reconcile.domain.doc_handle. + */ + public final TableField DOC_HANDLE = createField(DSL.name("doc_handle"), SQLDataType.VARCHAR(255), this, ""); + + /** + * The column idm_reconcile.domain.division_type. + */ + public final TableField DIVISION_TYPE = createField(DSL.name("division_type"), SQLDataType.VARCHAR(255), this, ""); + + /** + * The column idm_reconcile.domain.tns_department_id. + */ + public final TableField TNS_DEPARTMENT_ID = createField(DSL.name("tns_department_id"), SQLDataType.VARCHAR(255), this, ""); + + /** + * The column idm_reconcile.domain.enabled. + */ + public final TableField ENABLED = createField(DSL.name("enabled"), SQLDataType.BOOLEAN, this, ""); + + /** + * The column idm_reconcile.domain.parent. + */ + public final TableField PARENT = createField(DSL.name("parent"), SQLDataType.VARCHAR(255), this, ""); + + /** + * The column idm_reconcile.domain.region_id. + */ + public final TableField REGION_ID = createField(DSL.name("region_id"), SQLDataType.VARCHAR(255), this, ""); + + /** + * The column idm_reconcile.domain.managed. + */ + public final TableField MANAGED = createField(DSL.name("managed"), SQLDataType.VARCHAR(255), this, ""); + + private Domain(Name alias, Table aliased) { + this(alias, aliased, (Field[]) null, null); + } + + private Domain(Name alias, Table aliased, Field[] parameters, Condition where) { + super(alias, null, aliased, parameters, DSL.comment(""), TableOptions.table(), where); + } + + /** + * Create an aliased idm_reconcile.domain table reference + */ + public Domain(String alias) { + this(DSL.name(alias), DOMAIN); + } + + /** + * Create an aliased idm_reconcile.domain table reference + */ + public Domain(Name alias) { + this(alias, DOMAIN); + } + + /** + * Create a idm_reconcile.domain table reference + */ + public Domain() { + this(DSL.name("domain"), null); + } + + public Domain(Table path, ForeignKey childPath, InverseForeignKey parentPath) { + super(path, childPath, parentPath, DOMAIN); + } + + /** + * A subtype implementing {@link Path} for simplified path-based joins. + */ + public static class DomainPath extends Domain implements Path { + public DomainPath(Table path, ForeignKey childPath, InverseForeignKey parentPath) { + super(path, childPath, parentPath); + } + private DomainPath(Name alias, Table aliased) { + super(alias, aliased); + } + + @Override + public DomainPath as(String alias) { + return new DomainPath(DSL.name(alias), this); + } + + @Override + public DomainPath as(Name alias) { + return new DomainPath(alias, this); + } + + @Override + public DomainPath as(Table alias) { + return new DomainPath(alias.getQualifiedName(), this); + } + } + + @Override + public Schema getSchema() { + return aliased() ? null : IdmReconcile.IDM_RECONCILE; + } + + @Override + public UniqueKey getPrimaryKey() { + return Keys.DOMAIN_PKEY; + } + + private transient AccountPath _account; + + /** + * Get the implicit to-many join path to the + * idm_reconcile.account table + */ + public AccountPath account() { + if (_account == null) + _account = new AccountPath(this, null, Keys.ACCOUNT__FK_DOMAIN.getInverseKey()); + + return _account; + } + + @Override + public Domain as(String alias) { + return new Domain(DSL.name(alias), this); + } + + @Override + public Domain as(Name alias) { + return new Domain(alias, this); + } + + @Override + public Domain as(Table alias) { + return new Domain(alias.getQualifiedName(), this); + } + + /** + * Rename this table + */ + @Override + public Domain rename(String name) { + return new Domain(DSL.name(name), null); + } + + /** + * Rename this table + */ + @Override + public Domain rename(Name name) { + return new Domain(name, null); + } + + /** + * Rename this table + */ + @Override + public Domain rename(Table name) { + return new Domain(name.getQualifiedName(), null); + } + + /** + * Create an inline derived table from this table + */ + @Override + public Domain where(Condition condition) { + return new Domain(getQualifiedName(), aliased() ? this : null, null, condition); + } + + /** + * Create an inline derived table from this table + */ + @Override + public Domain where(Collection conditions) { + return where(DSL.and(conditions)); + } + + /** + * Create an inline derived table from this table + */ + @Override + public Domain where(Condition... conditions) { + return where(DSL.and(conditions)); + } + + /** + * Create an inline derived table from this table + */ + @Override + public Domain where(Field condition) { + return where(DSL.condition(condition)); + } + + /** + * Create an inline derived table from this table + */ + @Override + @PlainSQL + public Domain where(SQL condition) { + return where(DSL.condition(condition)); + } + + /** + * Create an inline derived table from this table + */ + @Override + @PlainSQL + public Domain where(@Stringly.SQL String condition) { + return where(DSL.condition(condition)); + } + + /** + * Create an inline derived table from this table + */ + @Override + @PlainSQL + public Domain where(@Stringly.SQL String condition, Object... binds) { + return where(DSL.condition(condition, binds)); + } + + /** + * Create an inline derived table from this table + */ + @Override + @PlainSQL + public Domain where(@Stringly.SQL String condition, QueryPart... parts) { + return where(DSL.condition(condition, parts)); + } + + /** + * Create an inline derived table from this table + */ + @Override + public Domain whereExists(Select select) { + return where(DSL.exists(select)); + } + + /** + * Create an inline derived table from this table + */ + @Override + public Domain whereNotExists(Select select) { + return where(DSL.notExists(select)); + } +} diff --git a/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/idm_reconcile/tables/Role.java b/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/idm_reconcile/tables/Role.java new file mode 100644 index 0000000..d6a1afd --- /dev/null +++ b/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/idm_reconcile/tables/Role.java @@ -0,0 +1,327 @@ +/* + * This file is generated by jOOQ. + */ +package ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.tables; + + +import java.sql.Timestamp; +import java.util.Collection; + +import org.jooq.Condition; +import org.jooq.Field; +import org.jooq.ForeignKey; +import org.jooq.InverseForeignKey; +import org.jooq.Name; +import org.jooq.Path; +import org.jooq.PlainSQL; +import org.jooq.QueryPart; +import org.jooq.Record; +import org.jooq.SQL; +import org.jooq.Schema; +import org.jooq.Select; +import org.jooq.Stringly; +import org.jooq.Table; +import org.jooq.TableField; +import org.jooq.TableOptions; +import org.jooq.UniqueKey; +import org.jooq.impl.DSL; +import org.jooq.impl.SQLDataType; +import org.jooq.impl.TableImpl; + +import ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.IdmReconcile; +import ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.Keys; +import ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.tables.Account.AccountPath; +import ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.tables.AccountRole.AccountRolePath; +import ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.tables.records.RoleRecord; + + +/** + * This class is generated by jOOQ. + */ +@SuppressWarnings({ "all", "unchecked", "rawtypes" }) +public class Role extends TableImpl { + + private static final long serialVersionUID = 1L; + + /** + * The reference instance of idm_reconcile.role + */ + public static final Role ROLE = new Role(); + + /** + * The class holding records for this type + */ + @Override + public Class getRecordType() { + return RoleRecord.class; + } + + /** + * The column idm_reconcile.role.id. + */ + public final TableField ID = createField(DSL.name("id"), SQLDataType.VARCHAR(255).nullable(false), this, ""); + + /** + * The column idm_reconcile.role.version. + */ + public final TableField VERSION = createField(DSL.name("version"), SQLDataType.INTEGER.nullable(false), this, ""); + + /** + * The column idm_reconcile.role.modified. + */ + public final TableField MODIFIED = createField(DSL.name("modified"), SQLDataType.TIMESTAMP(0), this, ""); + + /** + * The column idm_reconcile.role.schema. + */ + public final TableField SCHEMA = createField(DSL.name("schema"), SQLDataType.VARCHAR(255).nullable(false), this, ""); + + /** + * The column idm_reconcile.role.name. + */ + public final TableField NAME = createField(DSL.name("name"), SQLDataType.VARCHAR(255), this, ""); + + /** + * The column idm_reconcile.role.shortname. + */ + public final TableField SHORTNAME = createField(DSL.name("shortname"), SQLDataType.VARCHAR(255), this, ""); + + /** + * The column idm_reconcile.role.display_name. + */ + public final TableField DISPLAY_NAME = createField(DSL.name("display_name"), SQLDataType.VARCHAR(255), this, ""); + + /** + * The column idm_reconcile.role.sessions_limit. + */ + public final TableField SESSIONS_LIMIT = createField(DSL.name("sessions_limit"), SQLDataType.INTEGER, this, ""); + + /** + * The column idm_reconcile.role.ervu_role. + */ + public final TableField ERVU_ROLE = createField(DSL.name("ervu_role"), SQLDataType.BOOLEAN, this, ""); + + /** + * The column idm_reconcile.role.imported. + */ + public final TableField IMPORTED = createField(DSL.name("imported"), SQLDataType.INTEGER, this, ""); + + /** + * The column idm_reconcile.role.description. + */ + public final TableField DESCRIPTION = createField(DSL.name("description"), SQLDataType.CLOB, this, ""); + + private Role(Name alias, Table aliased) { + this(alias, aliased, (Field[]) null, null); + } + + private Role(Name alias, Table aliased, Field[] parameters, Condition where) { + super(alias, null, aliased, parameters, DSL.comment(""), TableOptions.table(), where); + } + + /** + * Create an aliased idm_reconcile.role table reference + */ + public Role(String alias) { + this(DSL.name(alias), ROLE); + } + + /** + * Create an aliased idm_reconcile.role table reference + */ + public Role(Name alias) { + this(alias, ROLE); + } + + /** + * Create a idm_reconcile.role table reference + */ + public Role() { + this(DSL.name("role"), null); + } + + public Role(Table path, ForeignKey childPath, InverseForeignKey parentPath) { + super(path, childPath, parentPath, ROLE); + } + + /** + * A subtype implementing {@link Path} for simplified path-based joins. + */ + public static class RolePath extends Role implements Path { + public RolePath(Table path, ForeignKey childPath, InverseForeignKey parentPath) { + super(path, childPath, parentPath); + } + private RolePath(Name alias, Table aliased) { + super(alias, aliased); + } + + @Override + public RolePath as(String alias) { + return new RolePath(DSL.name(alias), this); + } + + @Override + public RolePath as(Name alias) { + return new RolePath(alias, this); + } + + @Override + public RolePath as(Table alias) { + return new RolePath(alias.getQualifiedName(), this); + } + } + + @Override + public Schema getSchema() { + return aliased() ? null : IdmReconcile.IDM_RECONCILE; + } + + @Override + public UniqueKey getPrimaryKey() { + return Keys.ROLE_PKEY; + } + + private transient AccountRolePath _accountRole; + + /** + * Get the implicit to-many join path to the + * idm_reconcile.account_role table + */ + public AccountRolePath accountRole() { + if (_accountRole == null) + _accountRole = new AccountRolePath(this, null, Keys.ACCOUNT_ROLE__FK_ACCOUNT_ROLE_ROLE.getInverseKey()); + + return _accountRole; + } + + /** + * Get the implicit many-to-many join path to the + * idm_reconcile.account table + */ + public AccountPath account() { + return accountRole().account(); + } + + @Override + public Role as(String alias) { + return new Role(DSL.name(alias), this); + } + + @Override + public Role as(Name alias) { + return new Role(alias, this); + } + + @Override + public Role as(Table alias) { + return new Role(alias.getQualifiedName(), this); + } + + /** + * Rename this table + */ + @Override + public Role rename(String name) { + return new Role(DSL.name(name), null); + } + + /** + * Rename this table + */ + @Override + public Role rename(Name name) { + return new Role(name, null); + } + + /** + * Rename this table + */ + @Override + public Role rename(Table name) { + return new Role(name.getQualifiedName(), null); + } + + /** + * Create an inline derived table from this table + */ + @Override + public Role where(Condition condition) { + return new Role(getQualifiedName(), aliased() ? this : null, null, condition); + } + + /** + * Create an inline derived table from this table + */ + @Override + public Role where(Collection conditions) { + return where(DSL.and(conditions)); + } + + /** + * Create an inline derived table from this table + */ + @Override + public Role where(Condition... conditions) { + return where(DSL.and(conditions)); + } + + /** + * Create an inline derived table from this table + */ + @Override + public Role where(Field condition) { + return where(DSL.condition(condition)); + } + + /** + * Create an inline derived table from this table + */ + @Override + @PlainSQL + public Role where(SQL condition) { + return where(DSL.condition(condition)); + } + + /** + * Create an inline derived table from this table + */ + @Override + @PlainSQL + public Role where(@Stringly.SQL String condition) { + return where(DSL.condition(condition)); + } + + /** + * Create an inline derived table from this table + */ + @Override + @PlainSQL + public Role where(@Stringly.SQL String condition, Object... binds) { + return where(DSL.condition(condition, binds)); + } + + /** + * Create an inline derived table from this table + */ + @Override + @PlainSQL + public Role where(@Stringly.SQL String condition, QueryPart... parts) { + return where(DSL.condition(condition, parts)); + } + + /** + * Create an inline derived table from this table + */ + @Override + public Role whereExists(Select select) { + return where(DSL.exists(select)); + } + + /** + * Create an inline derived table from this table + */ + @Override + public Role whereNotExists(Select select) { + return where(DSL.notExists(select)); + } +} diff --git a/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/idm_reconcile/tables/records/AccountRecord.java b/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/idm_reconcile/tables/records/AccountRecord.java new file mode 100644 index 0000000..e1ac7fe --- /dev/null +++ b/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/idm_reconcile/tables/records/AccountRecord.java @@ -0,0 +1,231 @@ +/* + * This file is generated by jOOQ. + */ +package ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.tables.records; + + +import java.sql.Timestamp; + +import org.jooq.Record1; +import org.jooq.impl.UpdatableRecordImpl; + +import ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.tables.Account; + + +/** + * This class is generated by jOOQ. + */ +@SuppressWarnings({ "all", "unchecked", "rawtypes" }) +public class AccountRecord extends UpdatableRecordImpl { + + private static final long serialVersionUID = 1L; + + /** + * Setter for idm_reconcile.account.id. + */ + public void setId(String value) { + set(0, value); + } + + /** + * Getter for idm_reconcile.account.id. + */ + public String getId() { + return (String) get(0); + } + + /** + * Setter for idm_reconcile.account.version. + */ + public void setVersion(Integer value) { + set(1, value); + } + + /** + * Getter for idm_reconcile.account.version. + */ + public Integer getVersion() { + return (Integer) get(1); + } + + /** + * Setter for idm_reconcile.account.modified. + */ + public void setModified(Timestamp value) { + set(2, value); + } + + /** + * Getter for idm_reconcile.account.modified. + */ + public Timestamp getModified() { + return (Timestamp) get(2); + } + + /** + * Setter for idm_reconcile.account.schema. + */ + public void setSchema(String value) { + set(3, value); + } + + /** + * Getter for idm_reconcile.account.schema. + */ + public String getSchema() { + return (String) get(3); + } + + /** + * Setter for idm_reconcile.account.start. + */ + public void setStart(String value) { + set(4, value); + } + + /** + * Getter for idm_reconcile.account.start. + */ + public String getStart() { + return (String) get(4); + } + + /** + * Setter for idm_reconcile.account.finish. + */ + public void setFinish(String value) { + set(5, value); + } + + /** + * Getter for idm_reconcile.account.finish. + */ + public String getFinish() { + return (String) get(5); + } + + /** + * Setter for idm_reconcile.account.enabled. + */ + public void setEnabled(Boolean value) { + set(6, value); + } + + /** + * Getter for idm_reconcile.account.enabled. + */ + public Boolean getEnabled() { + return (Boolean) get(6); + } + + /** + * Setter for idm_reconcile.account.position. + */ + public void setPosition(String value) { + set(7, value); + } + + /** + * Getter for idm_reconcile.account.position. + */ + public String getPosition() { + return (String) get(7); + } + + /** + * Setter for idm_reconcile.account.fio. + */ + public void setFio(String value) { + set(8, value); + } + + /** + * Getter for idm_reconcile.account.fio. + */ + public String getFio() { + return (String) get(8); + } + + /** + * Setter for idm_reconcile.account.work_mail. + */ + public void setWorkMail(String value) { + set(9, value); + } + + /** + * Getter for idm_reconcile.account.work_mail. + */ + public String getWorkMail() { + return (String) get(9); + } + + /** + * Setter for idm_reconcile.account.esia_account. + */ + public void setEsiaAccount(Boolean value) { + set(10, value); + } + + /** + * Getter for idm_reconcile.account.esia_account. + */ + public Boolean getEsiaAccount() { + return (Boolean) get(10); + } + + /** + * Setter for idm_reconcile.account.domain_id. + */ + public void setDomainId(String value) { + set(11, value); + } + + /** + * Getter for idm_reconcile.account.domain_id. + */ + public String getDomainId() { + return (String) get(11); + } + + // ------------------------------------------------------------------------- + // Primary key information + // ------------------------------------------------------------------------- + + @Override + public Record1 key() { + return (Record1) super.key(); + } + + // ------------------------------------------------------------------------- + // Constructors + // ------------------------------------------------------------------------- + + /** + * Create a detached AccountRecord + */ + public AccountRecord() { + super(Account.ACCOUNT); + } + + /** + * Create a detached, initialised AccountRecord + */ + public AccountRecord(String id, Integer version, Timestamp modified, String schema, String start, String finish, Boolean enabled, String position, String fio, String workMail, Boolean esiaAccount, String domainId) { + super(Account.ACCOUNT); + + setId(id); + setVersion(version); + setModified(modified); + setSchema(schema); + setStart(start); + setFinish(finish); + setEnabled(enabled); + setPosition(position); + setFio(fio); + setWorkMail(workMail); + setEsiaAccount(esiaAccount); + setDomainId(domainId); + resetChangedOnNotNull(); + } +} diff --git a/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/idm_reconcile/tables/records/AccountRoleRecord.java b/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/idm_reconcile/tables/records/AccountRoleRecord.java new file mode 100644 index 0000000..7fad8f8 --- /dev/null +++ b/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/idm_reconcile/tables/records/AccountRoleRecord.java @@ -0,0 +1,79 @@ +/* + * This file is generated by jOOQ. + */ +package ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.tables.records; + + +import org.jooq.Record2; +import org.jooq.impl.UpdatableRecordImpl; + +import ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.tables.AccountRole; + + +/** + * This class is generated by jOOQ. + */ +@SuppressWarnings({ "all", "unchecked", "rawtypes" }) +public class AccountRoleRecord extends UpdatableRecordImpl { + + private static final long serialVersionUID = 1L; + + /** + * Setter for idm_reconcile.account_role.account_id. + */ + public void setAccountId(String value) { + set(0, value); + } + + /** + * Getter for idm_reconcile.account_role.account_id. + */ + public String getAccountId() { + return (String) get(0); + } + + /** + * Setter for idm_reconcile.account_role.role_id. + */ + public void setRoleId(String value) { + set(1, value); + } + + /** + * Getter for idm_reconcile.account_role.role_id. + */ + public String getRoleId() { + return (String) get(1); + } + + // ------------------------------------------------------------------------- + // Primary key information + // ------------------------------------------------------------------------- + + @Override + public Record2 key() { + return (Record2) super.key(); + } + + // ------------------------------------------------------------------------- + // Constructors + // ------------------------------------------------------------------------- + + /** + * Create a detached AccountRoleRecord + */ + public AccountRoleRecord() { + super(AccountRole.ACCOUNT_ROLE); + } + + /** + * Create a detached, initialised AccountRoleRecord + */ + public AccountRoleRecord(String accountId, String roleId) { + super(AccountRole.ACCOUNT_ROLE); + + setAccountId(accountId); + setRoleId(roleId); + resetChangedOnNotNull(); + } +} diff --git a/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/idm_reconcile/tables/records/DomainRecord.java b/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/idm_reconcile/tables/records/DomainRecord.java new file mode 100644 index 0000000..d14d4fd --- /dev/null +++ b/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/idm_reconcile/tables/records/DomainRecord.java @@ -0,0 +1,803 @@ +/* + * This file is generated by jOOQ. + */ +package ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.tables.records; + + +import java.sql.Timestamp; + +import org.jooq.Record1; +import org.jooq.impl.UpdatableRecordImpl; + +import ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.tables.Domain; + + +/** + * This class is generated by jOOQ. + */ +@SuppressWarnings({ "all", "unchecked", "rawtypes" }) +public class DomainRecord extends UpdatableRecordImpl { + + private static final long serialVersionUID = 1L; + + /** + * Setter for idm_reconcile.domain.id. + */ + public void setId(String value) { + set(0, value); + } + + /** + * Getter for idm_reconcile.domain.id. + */ + public String getId() { + return (String) get(0); + } + + /** + * Setter for idm_reconcile.domain.version. + */ + public void setVersion(Integer value) { + set(1, value); + } + + /** + * Getter for idm_reconcile.domain.version. + */ + public Integer getVersion() { + return (Integer) get(1); + } + + /** + * Setter for idm_reconcile.domain.modified. + */ + public void setModified(Timestamp value) { + set(2, value); + } + + /** + * Getter for idm_reconcile.domain.modified. + */ + public Timestamp getModified() { + return (Timestamp) get(2); + } + + /** + * Setter for idm_reconcile.domain.schema. + */ + public void setSchema(String value) { + set(3, value); + } + + /** + * Getter for idm_reconcile.domain.schema. + */ + public String getSchema() { + return (String) get(3); + } + + /** + * Setter for idm_reconcile.domain.name. + */ + public void setName(String value) { + set(4, value); + } + + /** + * Getter for idm_reconcile.domain.name. + */ + public String getName() { + return (String) get(4); + } + + /** + * Setter for idm_reconcile.domain.shortname. + */ + public void setShortname(String value) { + set(5, value); + } + + /** + * Getter for idm_reconcile.domain.shortname. + */ + public String getShortname() { + return (String) get(5); + } + + /** + * Setter for idm_reconcile.domain.fullname. + */ + public void setFullname(String value) { + set(6, value); + } + + /** + * Getter for idm_reconcile.domain.fullname. + */ + public String getFullname() { + return (String) get(6); + } + + /** + * Setter for idm_reconcile.domain.dns. + */ + public void setDns(String value) { + set(7, value); + } + + /** + * Getter for idm_reconcile.domain.dns. + */ + public String getDns() { + return (String) get(7); + } + + /** + * Setter for idm_reconcile.domain.email. + */ + public void setEmail(String value) { + set(8, value); + } + + /** + * Getter for idm_reconcile.domain.email. + */ + public String getEmail() { + return (String) get(8); + } + + /** + * Setter for idm_reconcile.domain.phone. + */ + public void setPhone(String value) { + set(9, value); + } + + /** + * Getter for idm_reconcile.domain.phone. + */ + public String getPhone() { + return (String) get(9); + } + + /** + * Setter for idm_reconcile.domain.address. + */ + public void setAddress(String value) { + set(10, value); + } + + /** + * Getter for idm_reconcile.domain.address. + */ + public String getAddress() { + return (String) get(10); + } + + /** + * Setter for idm_reconcile.domain.postal_address. + */ + public void setPostalAddress(String value) { + set(11, value); + } + + /** + * Getter for idm_reconcile.domain.postal_address. + */ + public String getPostalAddress() { + return (String) get(11); + } + + /** + * Setter for idm_reconcile.domain.address_id. + */ + public void setAddressId(String value) { + set(12, value); + } + + /** + * Getter for idm_reconcile.domain.address_id. + */ + public String getAddressId() { + return (String) get(12); + } + + /** + * Setter for idm_reconcile.domain.postal_address_id. + */ + public void setPostalAddressId(String value) { + set(13, value); + } + + /** + * Getter for idm_reconcile.domain.postal_address_id. + */ + public String getPostalAddressId() { + return (String) get(13); + } + + /** + * Setter for idm_reconcile.domain.military_code. + */ + public void setMilitaryCode(String value) { + set(14, value); + } + + /** + * Getter for idm_reconcile.domain.military_code. + */ + public String getMilitaryCode() { + return (String) get(14); + } + + /** + * Setter for idm_reconcile.domain.timezone. + */ + public void setTimezone(String value) { + set(15, value); + } + + /** + * Getter for idm_reconcile.domain.timezone. + */ + public String getTimezone() { + return (String) get(15); + } + + /** + * Setter for idm_reconcile.domain.reports_enabled. + */ + public void setReportsEnabled(Boolean value) { + set(16, value); + } + + /** + * Getter for idm_reconcile.domain.reports_enabled. + */ + public Boolean getReportsEnabled() { + return (Boolean) get(16); + } + + /** + * Setter for idm_reconcile.domain.inn. + */ + public void setInn(String value) { + set(17, value); + } + + /** + * Getter for idm_reconcile.domain.inn. + */ + public String getInn() { + return (String) get(17); + } + + /** + * Setter for idm_reconcile.domain.leg. + */ + public void setLeg(String value) { + set(18, value); + } + + /** + * Getter for idm_reconcile.domain.leg. + */ + public String getLeg() { + return (String) get(18); + } + + /** + * Setter for idm_reconcile.domain.ogrn. + */ + public void setOgrn(String value) { + set(19, value); + } + + /** + * Getter for idm_reconcile.domain.ogrn. + */ + public String getOgrn() { + return (String) get(19); + } + + /** + * Setter for idm_reconcile.domain.region. + */ + public void setRegion(String value) { + set(20, value); + } + + /** + * Getter for idm_reconcile.domain.region. + */ + public String getRegion() { + return (String) get(20); + } + + /** + * Setter for idm_reconcile.domain.epgu_id. + */ + public void setEpguId(String value) { + set(21, value); + } + + /** + * Getter for idm_reconcile.domain.epgu_id. + */ + public String getEpguId() { + return (String) get(21); + } + + /** + * Setter for idm_reconcile.domain.type. + */ + public void setType(String value) { + set(22, value); + } + + /** + * Getter for idm_reconcile.domain.type. + */ + public String getType() { + return (String) get(22); + } + + /** + * Setter for idm_reconcile.domain.esia_employee_authorization. + */ + public void setEsiaEmployeeAuthorization(Boolean value) { + set(23, value); + } + + /** + * Getter for idm_reconcile.domain.esia_employee_authorization. + */ + public Boolean getEsiaEmployeeAuthorization() { + return (Boolean) get(23); + } + + /** + * Setter for idm_reconcile.domain.default_s3_bucket. + */ + public void setDefaultS3Bucket(String value) { + set(24, value); + } + + /** + * Getter for idm_reconcile.domain.default_s3_bucket. + */ + public String getDefaultS3Bucket() { + return (String) get(24); + } + + /** + * Setter for idm_reconcile.domain.opf. + */ + public void setOpf(String value) { + set(25, value); + } + + /** + * Getter for idm_reconcile.domain.opf. + */ + public String getOpf() { + return (String) get(25); + } + + /** + * Setter for idm_reconcile.domain.kpp. + */ + public void setKpp(String value) { + set(26, value); + } + + /** + * Getter for idm_reconcile.domain.kpp. + */ + public String getKpp() { + return (String) get(26); + } + + /** + * Setter for idm_reconcile.domain.checking_account. + */ + public void setCheckingAccount(String value) { + set(27, value); + } + + /** + * Getter for idm_reconcile.domain.checking_account. + */ + public String getCheckingAccount() { + return (String) get(27); + } + + /** + * Setter for idm_reconcile.domain.bik. + */ + public void setBik(String value) { + set(28, value); + } + + /** + * Getter for idm_reconcile.domain.bik. + */ + public String getBik() { + return (String) get(28); + } + + /** + * Setter for idm_reconcile.domain.bank_name. + */ + public void setBankName(String value) { + set(29, value); + } + + /** + * Getter for idm_reconcile.domain.bank_name. + */ + public String getBankName() { + return (String) get(29); + } + + /** + * Setter for idm_reconcile.domain.bank_correspondent_account. + */ + public void setBankCorrespondentAccount(String value) { + set(30, value); + } + + /** + * Getter for idm_reconcile.domain.bank_correspondent_account. + */ + public String getBankCorrespondentAccount() { + return (String) get(30); + } + + /** + * Setter for idm_reconcile.domain.oktmo. + */ + public void setOktmo(String value) { + set(31, value); + } + + /** + * Getter for idm_reconcile.domain.oktmo. + */ + public String getOktmo() { + return (String) get(31); + } + + /** + * Setter for idm_reconcile.domain.okato. + */ + public void setOkato(String value) { + set(32, value); + } + + /** + * Getter for idm_reconcile.domain.okato. + */ + public String getOkato() { + return (String) get(32); + } + + /** + * Setter for idm_reconcile.domain.gov_registration_date. + */ + public void setGovRegistrationDate(String value) { + set(33, value); + } + + /** + * Getter for idm_reconcile.domain.gov_registration_date. + */ + public String getGovRegistrationDate() { + return (String) get(33); + } + + /** + * Setter for idm_reconcile.domain.gov_organization_type. + */ + public void setGovOrganizationType(String value) { + set(34, value); + } + + /** + * Getter for idm_reconcile.domain.gov_organization_type. + */ + public String getGovOrganizationType() { + return (String) get(34); + } + + /** + * Setter for idm_reconcile.domain.alias_key. + */ + public void setAliasKey(String value) { + set(35, value); + } + + /** + * Getter for idm_reconcile.domain.alias_key. + */ + public String getAliasKey() { + return (String) get(35); + } + + /** + * Setter for idm_reconcile.domain.pass_key. + */ + public void setPassKey(String value) { + set(36, value); + } + + /** + * Getter for idm_reconcile.domain.pass_key. + */ + public String getPassKey() { + return (String) get(36); + } + + /** + * Setter for idm_reconcile.domain.certificate. + */ + public void setCertificate(String value) { + set(37, value); + } + + /** + * Getter for idm_reconcile.domain.certificate. + */ + public String getCertificate() { + return (String) get(37); + } + + /** + * Setter for idm_reconcile.domain.account_number_tofk. + */ + public void setAccountNumberTofk(String value) { + set(38, value); + } + + /** + * Getter for idm_reconcile.domain.account_number_tofk. + */ + public String getAccountNumberTofk() { + return (String) get(38); + } + + /** + * Setter for idm_reconcile.domain.bik_tofk. + */ + public void setBikTofk(String value) { + set(39, value); + } + + /** + * Getter for idm_reconcile.domain.bik_tofk. + */ + public String getBikTofk() { + return (String) get(39); + } + + /** + * Setter for + * idm_reconcile.domain.correspondent_bank_account_tofk. + */ + public void setCorrespondentBankAccountTofk(String value) { + set(40, value); + } + + /** + * Getter for + * idm_reconcile.domain.correspondent_bank_account_tofk. + */ + public String getCorrespondentBankAccountTofk() { + return (String) get(40); + } + + /** + * Setter for idm_reconcile.domain.name_tofk. + */ + public void setNameTofk(String value) { + set(41, value); + } + + /** + * Getter for idm_reconcile.domain.name_tofk. + */ + public String getNameTofk() { + return (String) get(41); + } + + /** + * Setter for idm_reconcile.domain.nsi_organization_id. + */ + public void setNsiOrganizationId(String value) { + set(42, value); + } + + /** + * Getter for idm_reconcile.domain.nsi_organization_id. + */ + public String getNsiOrganizationId() { + return (String) get(42); + } + + /** + * Setter for idm_reconcile.domain.doc_handle. + */ + public void setDocHandle(String value) { + set(43, value); + } + + /** + * Getter for idm_reconcile.domain.doc_handle. + */ + public String getDocHandle() { + return (String) get(43); + } + + /** + * Setter for idm_reconcile.domain.division_type. + */ + public void setDivisionType(String value) { + set(44, value); + } + + /** + * Getter for idm_reconcile.domain.division_type. + */ + public String getDivisionType() { + return (String) get(44); + } + + /** + * Setter for idm_reconcile.domain.tns_department_id. + */ + public void setTnsDepartmentId(String value) { + set(45, value); + } + + /** + * Getter for idm_reconcile.domain.tns_department_id. + */ + public String getTnsDepartmentId() { + return (String) get(45); + } + + /** + * Setter for idm_reconcile.domain.enabled. + */ + public void setEnabled(Boolean value) { + set(46, value); + } + + /** + * Getter for idm_reconcile.domain.enabled. + */ + public Boolean getEnabled() { + return (Boolean) get(46); + } + + /** + * Setter for idm_reconcile.domain.parent. + */ + public void setParent(String value) { + set(47, value); + } + + /** + * Getter for idm_reconcile.domain.parent. + */ + public String getParent() { + return (String) get(47); + } + + /** + * Setter for idm_reconcile.domain.region_id. + */ + public void setRegionId(String value) { + set(48, value); + } + + /** + * Getter for idm_reconcile.domain.region_id. + */ + public String getRegionId() { + return (String) get(48); + } + + /** + * Setter for idm_reconcile.domain.managed. + */ + public void setManaged(String value) { + set(49, value); + } + + /** + * Getter for idm_reconcile.domain.managed. + */ + public String getManaged() { + return (String) get(49); + } + + // ------------------------------------------------------------------------- + // Primary key information + // ------------------------------------------------------------------------- + + @Override + public Record1 key() { + return (Record1) super.key(); + } + + // ------------------------------------------------------------------------- + // Constructors + // ------------------------------------------------------------------------- + + /** + * Create a detached DomainRecord + */ + public DomainRecord() { + super(Domain.DOMAIN); + } + + /** + * Create a detached, initialised DomainRecord + */ + public DomainRecord(String id, Integer version, Timestamp modified, String schema, String name, String shortname, String fullname, String dns, String email, String phone, String address, String postalAddress, String addressId, String postalAddressId, String militaryCode, String timezone, Boolean reportsEnabled, String inn, String leg, String ogrn, String region, String epguId, String type, Boolean esiaEmployeeAuthorization, String defaultS3Bucket, String opf, String kpp, String checkingAccount, String bik, String bankName, String bankCorrespondentAccount, String oktmo, String okato, String govRegistrationDate, String govOrganizationType, String aliasKey, String passKey, String certificate, String accountNumberTofk, String bikTofk, String correspondentBankAccountTofk, String nameTofk, String nsiOrganizationId, String docHandle, String divisionType, String tnsDepartmentId, Boolean enabled, String parent, String regionId, String managed) { + super(Domain.DOMAIN); + + setId(id); + setVersion(version); + setModified(modified); + setSchema(schema); + setName(name); + setShortname(shortname); + setFullname(fullname); + setDns(dns); + setEmail(email); + setPhone(phone); + setAddress(address); + setPostalAddress(postalAddress); + setAddressId(addressId); + setPostalAddressId(postalAddressId); + setMilitaryCode(militaryCode); + setTimezone(timezone); + setReportsEnabled(reportsEnabled); + setInn(inn); + setLeg(leg); + setOgrn(ogrn); + setRegion(region); + setEpguId(epguId); + setType(type); + setEsiaEmployeeAuthorization(esiaEmployeeAuthorization); + setDefaultS3Bucket(defaultS3Bucket); + setOpf(opf); + setKpp(kpp); + setCheckingAccount(checkingAccount); + setBik(bik); + setBankName(bankName); + setBankCorrespondentAccount(bankCorrespondentAccount); + setOktmo(oktmo); + setOkato(okato); + setGovRegistrationDate(govRegistrationDate); + setGovOrganizationType(govOrganizationType); + setAliasKey(aliasKey); + setPassKey(passKey); + setCertificate(certificate); + setAccountNumberTofk(accountNumberTofk); + setBikTofk(bikTofk); + setCorrespondentBankAccountTofk(correspondentBankAccountTofk); + setNameTofk(nameTofk); + setNsiOrganizationId(nsiOrganizationId); + setDocHandle(docHandle); + setDivisionType(divisionType); + setTnsDepartmentId(tnsDepartmentId); + setEnabled(enabled); + setParent(parent); + setRegionId(regionId); + setManaged(managed); + resetChangedOnNotNull(); + } +} diff --git a/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/idm_reconcile/tables/records/RoleRecord.java b/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/idm_reconcile/tables/records/RoleRecord.java new file mode 100644 index 0000000..009e902 --- /dev/null +++ b/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/idm_reconcile/tables/records/RoleRecord.java @@ -0,0 +1,216 @@ +/* + * This file is generated by jOOQ. + */ +package ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.tables.records; + + +import java.sql.Timestamp; + +import org.jooq.Record1; +import org.jooq.impl.UpdatableRecordImpl; + +import ru.micord.webbpm.ervu.business_metrics.db_beans.idm_reconcile.tables.Role; + + +/** + * This class is generated by jOOQ. + */ +@SuppressWarnings({ "all", "unchecked", "rawtypes" }) +public class RoleRecord extends UpdatableRecordImpl { + + private static final long serialVersionUID = 1L; + + /** + * Setter for idm_reconcile.role.id. + */ + public void setId(String value) { + set(0, value); + } + + /** + * Getter for idm_reconcile.role.id. + */ + public String getId() { + return (String) get(0); + } + + /** + * Setter for idm_reconcile.role.version. + */ + public void setVersion(Integer value) { + set(1, value); + } + + /** + * Getter for idm_reconcile.role.version. + */ + public Integer getVersion() { + return (Integer) get(1); + } + + /** + * Setter for idm_reconcile.role.modified. + */ + public void setModified(Timestamp value) { + set(2, value); + } + + /** + * Getter for idm_reconcile.role.modified. + */ + public Timestamp getModified() { + return (Timestamp) get(2); + } + + /** + * Setter for idm_reconcile.role.schema. + */ + public void setSchema(String value) { + set(3, value); + } + + /** + * Getter for idm_reconcile.role.schema. + */ + public String getSchema() { + return (String) get(3); + } + + /** + * Setter for idm_reconcile.role.name. + */ + public void setName(String value) { + set(4, value); + } + + /** + * Getter for idm_reconcile.role.name. + */ + public String getName() { + return (String) get(4); + } + + /** + * Setter for idm_reconcile.role.shortname. + */ + public void setShortname(String value) { + set(5, value); + } + + /** + * Getter for idm_reconcile.role.shortname. + */ + public String getShortname() { + return (String) get(5); + } + + /** + * Setter for idm_reconcile.role.display_name. + */ + public void setDisplayName(String value) { + set(6, value); + } + + /** + * Getter for idm_reconcile.role.display_name. + */ + public String getDisplayName() { + return (String) get(6); + } + + /** + * Setter for idm_reconcile.role.sessions_limit. + */ + public void setSessionsLimit(Integer value) { + set(7, value); + } + + /** + * Getter for idm_reconcile.role.sessions_limit. + */ + public Integer getSessionsLimit() { + return (Integer) get(7); + } + + /** + * Setter for idm_reconcile.role.ervu_role. + */ + public void setErvuRole(Boolean value) { + set(8, value); + } + + /** + * Getter for idm_reconcile.role.ervu_role. + */ + public Boolean getErvuRole() { + return (Boolean) get(8); + } + + /** + * Setter for idm_reconcile.role.imported. + */ + public void setImported(Integer value) { + set(9, value); + } + + /** + * Getter for idm_reconcile.role.imported. + */ + public Integer getImported() { + return (Integer) get(9); + } + + /** + * Setter for idm_reconcile.role.description. + */ + public void setDescription(String value) { + set(10, value); + } + + /** + * Getter for idm_reconcile.role.description. + */ + public String getDescription() { + return (String) get(10); + } + + // ------------------------------------------------------------------------- + // Primary key information + // ------------------------------------------------------------------------- + + @Override + public Record1 key() { + return (Record1) super.key(); + } + + // ------------------------------------------------------------------------- + // Constructors + // ------------------------------------------------------------------------- + + /** + * Create a detached RoleRecord + */ + public RoleRecord() { + super(Role.ROLE); + } + + /** + * Create a detached, initialised RoleRecord + */ + public RoleRecord(String id, Integer version, Timestamp modified, String schema, String name, String shortname, String displayName, Integer sessionsLimit, Boolean ervuRole, Integer imported, String description) { + super(Role.ROLE); + + setId(id); + setVersion(version); + setModified(modified); + setSchema(schema); + setName(name); + setShortname(shortname); + setDisplayName(displayName); + setSessionsLimit(sessionsLimit); + setErvuRole(ervuRole); + setImported(imported); + setDescription(description); + resetChangedOnNotNull(); + } +} diff --git a/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/metrics/tables/CitizenAppeals.java b/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/metrics/tables/CitizenAppeals.java index c02b174..1736342 100644 --- a/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/metrics/tables/CitizenAppeals.java +++ b/backend/src/main/java/ru/micord/webbpm/ervu/business_metrics/db_beans/metrics/tables/CitizenAppeals.java @@ -107,7 +107,7 @@ public class CitizenAppeals extends TableImpl { * The column metrics.citizen_appeals.average_response_time. * Средний срок ответа */ - public final TableField AVERAGE_RESPONSE_TIME = createField(DSL.name("average_response_time"), SQLDataType.NUMERIC(10, 2).nullable(false).defaultValue(DSL.field(DSL.raw("0"), SQLDataType.NUMERIC)), this, "Средний срок ответа"); + public final TableField AVERAGE_RESPONSE_TIME = createField(DSL.name("average_response_time"), SQLDataType.NUMERIC(10, 1).nullable(false).defaultValue(DSL.field(DSL.raw("0"), SQLDataType.NUMERIC)), this, "Средний срок ответа"); private CitizenAppeals(Name alias, Table aliased) { this(alias, aliased, (Field[]) null, null); diff --git a/backend/src/main/resources/config/v_1.0/20250418-SUPPORT-9122_add_idm.xml b/backend/src/main/resources/config/v_1.0/20250418-SUPPORT-9122_add_idm.xml new file mode 100644 index 0000000..18731d0 --- /dev/null +++ b/backend/src/main/resources/config/v_1.0/20250418-SUPPORT-9122_add_idm.xml @@ -0,0 +1,131 @@ + + + + + create schema idm_reconcile + + CREATE SCHEMA IF NOT EXISTS idm_reconcile; + ALTER SCHEMA idm_reconcile OWNER TO ervu_business_metrics; + + + + + creat table domain + + CREATE TABLE IF NOT EXISTS idm_reconcile.domain ( + id varchar(255) PRIMARY KEY, + version int NOT NULL, + modified timestamp without time zone, + schema varchar(255) NOT NULL, + name varchar(255), + shortname varchar(255), + fullname varchar(255), + dns varchar(255), + email varchar(255), + phone varchar(255), + address varchar(1024), + postal_address varchar(1024), + address_id varchar(255), + postal_address_id varchar(255), + military_code varchar(255), + timezone varchar(255), + reports_enabled boolean, + inn varchar(255), + leg varchar(255), + ogrn varchar(255), + region varchar(255), + epgu_id varchar(255), + type varchar(255), + esia_employee_authorization boolean, + default_s3_bucket varchar(255), + opf varchar(255), + kpp varchar(255), + checking_account varchar(255), + bik varchar(255), + bank_name varchar(255), + bank_correspondent_account varchar(255), + oktmo varchar(255), + okato varchar(255), + gov_registration_date varchar(255), + gov_organization_type varchar(255), + alias_key varchar(255), + pass_key varchar(255), + certificate varchar(2048), + account_number_tofk varchar(255), + bik_tofk varchar(255), + correspondent_bank_account_tofk varchar(255), + name_tofk varchar(255), + nsi_organization_id varchar(255), + doc_handle varchar(255), + division_type varchar(255), + tns_department_id varchar(255), + enabled boolean, + parent varchar(255), + region_id varchar(255), + managed varchar(255) + ); + + ALTER TABLE idm_reconcile.domain OWNER TO ervu_business_metrics; + + + + + create table role + + CREATE TABLE IF NOT EXISTS idm_reconcile.role ( + id varchar(255) PRIMARY KEY, + version int NOT NULL, + modified timestamp without time zone, + schema varchar(255) NOT NULL, + name varchar(255), + shortname varchar(255), + display_name varchar(255), + sessions_limit int, + ervu_role boolean, + imported int, + description TEXT + ); + + ALTER TABLE idm_reconcile.role OWNER TO ervu_business_metrics; + + + + + create table account and account_role + + CREATE TABLE IF NOT EXISTS idm_reconcile.account ( + id varchar(36) PRIMARY KEY, + version int NOT NULL, + modified timestamp without time zone, + schema varchar(100) NOT NULL, + start varchar(50), + finish varchar(50), + enabled boolean NOT NULL DEFAULT TRUE, + position varchar(255), + fio varchar(255), + work_mail varchar(255), + esia_account boolean NOT NULL DEFAULT FALSE, + domain_id varchar(36) + ); + + ALTER TABLE idm_reconcile.account OWNER TO ervu_business_metrics; + + CREATE TABLE IF NOT EXISTS idm_reconcile.account_role ( + account_id varchar(36) NOT NULL, + role_id varchar(36) NOT NULL, + + CONSTRAINT pk_account_role PRIMARY KEY (account_id, role_id), + + CONSTRAINT fk_account_role_account FOREIGN KEY (account_id) + REFERENCES idm_reconcile.account (id) + ON DELETE CASCADE + ); + + ALTER TABLE idm_reconcile.account_role OWNER TO ervu_business_metrics; + + + \ No newline at end of file diff --git a/backend/src/main/resources/config/v_1.0/20250423-db_changes.xml b/backend/src/main/resources/config/v_1.0/20250423-db_changes.xml new file mode 100644 index 0000000..84d1e74 --- /dev/null +++ b/backend/src/main/resources/config/v_1.0/20250423-db_changes.xml @@ -0,0 +1,32 @@ + + + + + + + CREATE VIEW + + CREATE OR REPLACE VIEW actualization.view_app_reason + AS SELECT app_reason.app_reason_id, + COALESCE(round(app_reason.count_place_of_stay::numeric * 100::numeric / NULLIF((app_reason.count_place_of_stay + app_reason.count_work + app_reason.count_place_of_study + app_reason.count_family_status + app_reason.count_education+count_education + app_reason.count_renaming)::numeric, 0::numeric)), 0::numeric) AS percent_place_of_stay, + COALESCE(round(app_reason.count_work::numeric * 100::numeric / NULLIF((app_reason.count_place_of_stay + app_reason.count_work + app_reason.count_place_of_study + app_reason.count_family_status + app_reason.count_education+count_education + app_reason.count_renaming)::numeric, 0::numeric)), 0::numeric) AS percent_work, + COALESCE(round(app_reason.count_place_of_study::numeric * 100::numeric / NULLIF((app_reason.count_place_of_stay + app_reason.count_work + app_reason.count_place_of_study + app_reason.count_family_status + app_reason.count_education+count_education + app_reason.count_renaming)::numeric, 0::numeric)), 0::numeric) AS percent_place_of_study, + COALESCE(round(app_reason.count_family_status::numeric * 100::numeric / NULLIF((app_reason.count_place_of_stay + app_reason.count_work + app_reason.count_place_of_study + app_reason.count_family_status + app_reason.count_education+count_education + app_reason.count_renaming)::numeric, 0::numeric)), 0::numeric) AS percent_family_status, + COALESCE(round(app_reason.count_education::numeric * 100::numeric / NULLIF((app_reason.count_place_of_stay + app_reason.count_work + app_reason.count_place_of_study + app_reason.count_family_status + app_reason.count_education+count_education + app_reason.count_renaming)::numeric, 0::numeric)), 0::numeric) AS percent_education, + COALESCE(round(app_reason.count_renaming::numeric * 100::numeric / NULLIF((app_reason.count_place_of_stay + app_reason.count_work + app_reason.count_place_of_study + app_reason.count_family_status + app_reason.count_education+count_education + app_reason.count_renaming)::numeric, 0::numeric)), 0::numeric) AS percent_renaming + FROM actualization.app_reason; + + + + + EDIT TABLE + + ALTER TABLE metrics.citizen_appeals + ALTER COLUMN average_response_time TYPE numeric(10,1); + + + \ No newline at end of file diff --git a/backend/src/main/resources/config/v_1.0/20250505-db_changes.xml b/backend/src/main/resources/config/v_1.0/20250505-db_changes.xml new file mode 100644 index 0000000..47d758e --- /dev/null +++ b/backend/src/main/resources/config/v_1.0/20250505-db_changes.xml @@ -0,0 +1,54 @@ + + + + + + + ALTER TABLE + + ALTER TABLE IF EXISTS admin_indicators.user_analysis + ADD COLUMN IF NOT EXISTS count_responsible_zi bigint NOT NULL DEFAULT 0; + COMMENT ON COLUMN admin_indicators.user_analysis.count_responsible_zi + IS 'Ответственный за ЗИ'; + + + ALTER TABLE IF EXISTS admin_indicators.user_analysis + ADD COLUMN IF NOT EXISTS count_responsible_zi_svk bigint NOT NULL DEFAULT 0; + COMMENT ON COLUMN admin_indicators.user_analysis.count_responsible_zi_svk + IS 'Ответственный за ЗИ СВК'; + + + + + CREATE VIEW + + DROP VIEW admin_indicators.view_user_analysis; + + CREATE OR REPLACE VIEW admin_indicators.view_user_analysis + AS + SELECT user_analysis.user_analysis_id, + user_analysis.count_administrator_is + user_analysis.count_administrator_poib + user_analysis.count_employee_gomy + user_analysis.count_observer_gomy + user_analysis.count_supervisor_gomy + user_analysis.count_military_commissar + user_analysis.count_specialist_statements + user_analysis.count_observer_vo + user_analysis.count_observer_vk + user_analysis.count_responsible_zi_svk + user_analysis.count_responsible_zi + user_analysis.count_specialist_military_accounting + user_analysis.count_specialist_acquisition AS count_all, + COALESCE(round(user_analysis.count_administrator_is::numeric * 100::numeric / NULLIF((user_analysis.count_administrator_is + user_analysis.count_administrator_poib + user_analysis.count_employee_gomy + user_analysis.count_observer_gomy + user_analysis.count_supervisor_gomy + user_analysis.count_military_commissar + user_analysis.count_specialist_statements + user_analysis.count_observer_vo + user_analysis.count_observer_vk + user_analysis.count_responsible_zi_svk + user_analysis.count_responsible_zi + user_analysis.count_specialist_military_accounting + user_analysis.count_specialist_acquisition)::numeric, 0::numeric)), 0::numeric) AS percent_administrator_is, + COALESCE(round(user_analysis.count_administrator_poib::numeric * 100::numeric / NULLIF((user_analysis.count_administrator_is + user_analysis.count_administrator_poib + user_analysis.count_employee_gomy + user_analysis.count_observer_gomy + user_analysis.count_supervisor_gomy + user_analysis.count_military_commissar + user_analysis.count_specialist_statements + user_analysis.count_observer_vo + user_analysis.count_observer_vk + user_analysis.count_responsible_zi_svk + user_analysis.count_responsible_zi + user_analysis.count_specialist_military_accounting + user_analysis.count_specialist_acquisition)::numeric, 0::numeric)), 0::numeric) AS percent_administrator_poib, + COALESCE(round(user_analysis.count_employee_gomy::numeric * 100::numeric / NULLIF((user_analysis.count_administrator_is + user_analysis.count_administrator_poib + user_analysis.count_employee_gomy + user_analysis.count_observer_gomy + user_analysis.count_supervisor_gomy + user_analysis.count_military_commissar + user_analysis.count_specialist_statements + user_analysis.count_observer_vo + user_analysis.count_observer_vk + user_analysis.count_responsible_zi_svk + user_analysis.count_responsible_zi + user_analysis.count_specialist_military_accounting + user_analysis.count_specialist_acquisition)::numeric, 0::numeric)), 0::numeric) AS percent_employee_gomy, + COALESCE(round(user_analysis.count_observer_gomy::numeric * 100::numeric / NULLIF((user_analysis.count_administrator_is + user_analysis.count_administrator_poib + user_analysis.count_employee_gomy + user_analysis.count_observer_gomy + user_analysis.count_supervisor_gomy + user_analysis.count_military_commissar + user_analysis.count_specialist_statements + user_analysis.count_observer_vo + user_analysis.count_observer_vk + user_analysis.count_responsible_zi_svk + user_analysis.count_responsible_zi + user_analysis.count_specialist_military_accounting + user_analysis.count_specialist_acquisition)::numeric, 0::numeric)), 0::numeric) AS percent_bserver_gomy, + COALESCE(round(user_analysis.count_supervisor_gomy::numeric * 100::numeric / NULLIF((user_analysis.count_administrator_is + user_analysis.count_administrator_poib + user_analysis.count_employee_gomy + user_analysis.count_observer_gomy + user_analysis.count_supervisor_gomy + user_analysis.count_military_commissar + user_analysis.count_specialist_statements + user_analysis.count_observer_vo + user_analysis.count_observer_vk + user_analysis.count_responsible_zi_svk + user_analysis.count_responsible_zi + user_analysis.count_specialist_military_accounting + user_analysis.count_specialist_acquisition)::numeric, 0::numeric)), 0::numeric) AS percent_supervisor_gomy, + COALESCE(round(user_analysis.count_military_commissar::numeric * 100::numeric / NULLIF((user_analysis.count_administrator_is + user_analysis.count_administrator_poib + user_analysis.count_employee_gomy + user_analysis.count_observer_gomy + user_analysis.count_supervisor_gomy + user_analysis.count_military_commissar + user_analysis.count_specialist_statements + user_analysis.count_observer_vo + user_analysis.count_observer_vk + user_analysis.count_responsible_zi_svk + user_analysis.count_responsible_zi + user_analysis.count_specialist_military_accounting + user_analysis.count_specialist_acquisition)::numeric, 0::numeric)), 0::numeric) AS percent_military_commissar, + COALESCE(round(user_analysis.count_specialist_statements::numeric * 100::numeric / NULLIF((user_analysis.count_administrator_is + user_analysis.count_administrator_poib + user_analysis.count_employee_gomy + user_analysis.count_observer_gomy + user_analysis.count_supervisor_gomy + user_analysis.count_military_commissar + user_analysis.count_specialist_statements + user_analysis.count_observer_vo + user_analysis.count_observer_vk + user_analysis.count_responsible_zi_svk + user_analysis.count_responsible_zi + user_analysis.count_specialist_military_accounting + user_analysis.count_specialist_acquisition)::numeric, 0::numeric)), 0::numeric) AS percent_specialist_statements, + COALESCE(round(user_analysis.count_observer_vo::numeric * 100::numeric / NULLIF((user_analysis.count_administrator_is + user_analysis.count_administrator_poib + user_analysis.count_employee_gomy + user_analysis.count_observer_gomy + user_analysis.count_supervisor_gomy + user_analysis.count_military_commissar + user_analysis.count_specialist_statements + user_analysis.count_observer_vo + user_analysis.count_observer_vk + user_analysis.count_responsible_zi_svk + user_analysis.count_responsible_zi + user_analysis.count_specialist_military_accounting + user_analysis.count_specialist_acquisition)::numeric, 0::numeric)), 0::numeric) AS percent_observer_vo, + COALESCE(round(user_analysis.count_observer_vk::numeric * 100::numeric / NULLIF((user_analysis.count_administrator_is + user_analysis.count_administrator_poib + user_analysis.count_employee_gomy + user_analysis.count_observer_gomy + user_analysis.count_supervisor_gomy + user_analysis.count_military_commissar + user_analysis.count_specialist_statements + user_analysis.count_observer_vo + user_analysis.count_observer_vk + user_analysis.count_responsible_zi_svk + user_analysis.count_responsible_zi + user_analysis.count_specialist_military_accounting + user_analysis.count_specialist_acquisition)::numeric, 0::numeric)), 0::numeric) AS percent_observer_vk, + COALESCE(round(user_analysis.count_responsible_zi::numeric * 100::numeric / NULLIF((user_analysis.count_administrator_is + user_analysis.count_administrator_poib + user_analysis.count_employee_gomy + user_analysis.count_observer_gomy + user_analysis.count_supervisor_gomy + user_analysis.count_military_commissar + user_analysis.count_specialist_statements + user_analysis.count_observer_vo + user_analysis.count_observer_vk + user_analysis.count_responsible_zi_svk + user_analysis.count_responsible_zi + user_analysis.count_specialist_military_accounting + user_analysis.count_specialist_acquisition)::numeric, 0::numeric)), 0::numeric) AS percent_responsible_zi, + COALESCE(round(user_analysis.count_specialist_military_accounting::numeric * 100::numeric / NULLIF((user_analysis.count_administrator_is + user_analysis.count_administrator_poib + user_analysis.count_employee_gomy + user_analysis.count_observer_gomy + user_analysis.count_supervisor_gomy + user_analysis.count_military_commissar + user_analysis.count_specialist_statements + user_analysis.count_observer_vo + user_analysis.count_observer_vk + user_analysis.count_responsible_zi_svk + user_analysis.count_responsible_zi + user_analysis.count_specialist_military_accounting + user_analysis.count_specialist_acquisition)::numeric, 0::numeric)), 0::numeric) AS percent_specialist_military_accounting, + COALESCE(round(user_analysis.count_specialist_acquisition::numeric * 100::numeric / NULLIF((user_analysis.count_administrator_is + user_analysis.count_administrator_poib + user_analysis.count_employee_gomy + user_analysis.count_observer_gomy + user_analysis.count_supervisor_gomy + user_analysis.count_military_commissar + user_analysis.count_specialist_statements + user_analysis.count_observer_vo + user_analysis.count_observer_vk + user_analysis.count_responsible_zi_svk + user_analysis.count_responsible_zi + user_analysis.count_specialist_military_accounting + user_analysis.count_specialist_acquisition)::numeric, 0::numeric)), 0::numeric) AS percent_specialist_acquisition, + COALESCE(round(user_analysis.count_responsible_zi_svk::numeric * 100::numeric / NULLIF((user_analysis.count_administrator_is + user_analysis.count_administrator_poib + user_analysis.count_employee_gomy + user_analysis.count_observer_gomy + user_analysis.count_supervisor_gomy + user_analysis.count_military_commissar + user_analysis.count_specialist_statements + user_analysis.count_observer_vo + user_analysis.count_observer_vk + user_analysis.count_responsible_zi_svk + user_analysis.count_responsible_zi + user_analysis.count_specialist_military_accounting + user_analysis.count_specialist_acquisition)::numeric, 0::numeric)), 0::numeric) AS percent_responsible_zi_svk + FROM admin_indicators.user_analysis; + + ALTER TABLE admin_indicators.view_user_analysis + OWNER TO ervu_business_metrics; + + + \ No newline at end of file diff --git a/backend/src/main/resources/config/v_1.0/20250507-db_changes.xml b/backend/src/main/resources/config/v_1.0/20250507-db_changes.xml new file mode 100644 index 0000000..b9cf3df --- /dev/null +++ b/backend/src/main/resources/config/v_1.0/20250507-db_changes.xml @@ -0,0 +1,42 @@ + + + + + + + ALTER VIEW registration_change_address.view_personal_info_stat + + CREATE OR REPLACE VIEW registration_change_address.view_personal_info_stat + AS + SELECT personal_info_stat.personal_info_stat_id, + personal_info_stat.count_refused + personal_info_stat.count_accepted_to_send + personal_info_stat.count_unloaded AS count_all, + COALESCE(round(personal_info_stat.count_refused::numeric * 100::numeric / NULLIF((personal_info_stat.count_refused + personal_info_stat.count_accepted_to_send + personal_info_stat.count_unloaded)::numeric, 0::numeric)), 0::numeric) AS percent_refused, + COALESCE(round(personal_info_stat.count_unloaded::numeric * 100::numeric / NULLIF((personal_info_stat.count_refused + personal_info_stat.count_accepted_to_send + personal_info_stat.count_unloaded)::numeric, 0::numeric)), 0::numeric) AS percent_unloaded, + COALESCE(round(personal_info_stat.count_accepted_to_send::numeric * 100::numeric / NULLIF((personal_info_stat.count_refused + personal_info_stat.count_accepted_to_send + personal_info_stat.count_unloaded)::numeric, 0::numeric)), 0::numeric) AS percent_accepted_to_send + FROM registration_change_address.personal_info_stat; + + ALTER TABLE registration_change_address.view_personal_info_stat + OWNER TO ervu_business_metrics; + + + + + + CREATE TABLE idm_reconcile.account_blocked + + CREATE TABLE IF NOT EXISTS idm_reconcile.account_blocked + ( + account_id character varying(36) COLLATE pg_catalog."default" NOT NULL, + blocked boolean default 'false', + CONSTRAINT account_blocked_pkey PRIMARY KEY (account_id) + ) + TABLESPACE pg_default; + ALTER TABLE IF EXISTS idm_reconcile.account_blocked + OWNER to ervu_business_metrics; + + + \ No newline at end of file diff --git a/backend/src/main/resources/config/v_1.0/changelog-1.0.xml b/backend/src/main/resources/config/v_1.0/changelog-1.0.xml index e6cf37f..139f07d 100644 --- a/backend/src/main/resources/config/v_1.0/changelog-1.0.xml +++ b/backend/src/main/resources/config/v_1.0/changelog-1.0.xml @@ -27,5 +27,10 @@ + + + + + \ No newline at end of file diff --git a/config/micord.env b/config/micord.env index 11671a1..6af5df5 100644 --- a/config/micord.env +++ b/config/micord.env @@ -5,3 +5,31 @@ DB_APP_PASSWORD=ervu_business_metrics DB_APP_HOST=10.10.31.119 DB_APP_PORT=5432 DB_APP_NAME=ervu-dashboard-recr + +#Kafka +KAFKA_HOSTS=10.10.31.11:32609 +KAFKA_AUTH_SEC_PROTO=SASL_PLAINTEXT +KAFKA_AUTH_SASL_MECH=SCRAM-SHA-256 +KAFKA_AUTH_SASL_MODULE=org.apache.kafka.common.security.scram.ScramLoginModule +KAFKA_USER=user1 +KAFKA_PASS=Blfi9d2OFG +KAFKA_DOMAIN_GROUP_ID=ervu-business-metrics-backend-domain +KAFKA_ROLE_GROUP_ID=ervu-business-metrics-backend-role +KAFKA_ACCOUNT_GROUP_ID=ervu-business-metrics-backend-account +KAFKA_ROLE_RECONCILIATION=idmv2.role.reconciliation +KAFKA_DOMAIN_RECONCILIATION=idmv2.domain.reconciliation +KAFKA_ACCOUNT_RECONCILIATION=idmv2.account.reconciliation +KAFKA_DOMAIN_UPDATED_GROUP_ID=ervu-business-metrics-backend-domain-updated +KAFKA_DOMAIN_UPDATED=idmv2.domain.updated +KAFKA_DOMAIN_CREATED_GROUP_ID=ervu-business-metrics-backend-domain-created +KAFKA_DOMAIN_CREATED=idmv2.domain.created +KAFKA_ACCOUNT_UPDATED_GROUP_ID=ervu-business-metrics-backend-account-updated +KAFKA_ACCOUNT_UPDATED=idmv2.account.updated +KAFKA_ACCOUNT_CREATED_GROUP_ID=ervu-business-metrics-backend-account-created +KAFKA_ACCOUNT_CREATED=idmv2.account.created +KAFKA_DOMAIN_DELETED_GROUP_ID=ervu-business-metrics-backend-domain-deleted +KAFKA_DOMAIN_DELETED=idmv2.domain.deleted +KAFKA_ACCOUNT_DELETED_GROUP_ID=ervu-business-metrics-backend-account-deleted +KAFKA_ACCOUNT_DELETED=idmv2.account.deleted +ERVU_IDM_RECONCILE_ENABLED=false +ERVU_IDM_URL=http://idm \ No newline at end of file diff --git a/frontend/src/resources/css/components-business-metrics.css b/frontend/src/resources/css/components-business-metrics.css index 5c6b33c..30dbcb9 100644 --- a/frontend/src/resources/css/components-business-metrics.css +++ b/frontend/src/resources/css/components-business-metrics.css @@ -475,6 +475,15 @@ .webbpm.ervu_business_metrics .graph-legend-right .text-wrap text { position: relative; } +.webbpm.ervu_business_metrics .graph-legend-right .text-wrap text.level-1 { + padding-left: var(--level-1); +} +.webbpm.ervu_business_metrics .graph-legend-right .text-wrap text.level-2 { + padding-left: var(--level-2); +} +.webbpm.ervu_business_metrics .graph-legend-right .text-wrap text.level-3 { + padding-left: var(--level-3); +} .webbpm.ervu_business_metrics .graph-legend-right .text-wrap text > .form-group > div:last-of-type { display: inline-block; width: auto; @@ -482,6 +491,7 @@ white-space: nowrap; overflow: hidden; } + .webbpm.ervu_business_metrics .graph-text-hidden { height: calc(var(--size-text-primary)*1.5); } diff --git a/frontend/src/resources/css/inbox-business-metrics.css b/frontend/src/resources/css/inbox-business-metrics.css index a4b8f77..7b44cd8 100644 --- a/frontend/src/resources/css/inbox-business-metrics.css +++ b/frontend/src/resources/css/inbox-business-metrics.css @@ -42,6 +42,9 @@ --indent-mini: 8px; --indent-xmini: 4px; + --level-1: 24px; + --level-2: calc(2*var(--level-1)); + --level-3: calc(3*var(--level-1)); --h-header: 68px; } diff --git a/frontend/src/ts/component/enum/TreeValuesCacheStrategy.ts b/frontend/src/ts/component/enum/TreeValuesCacheStrategy.ts new file mode 100644 index 0000000..92b5cef --- /dev/null +++ b/frontend/src/ts/component/enum/TreeValuesCacheStrategy.ts @@ -0,0 +1,5 @@ +export enum TreeValuesCacheStrategy { + BY_PAGE_OBJECT_ID = "BY_PAGE_OBJECT_ID", + BY_OBJECT_NAME = "BY_OBJECT_NAME", + BY_CUSTOM_NAME = "BY_CUSTOM_NAME", +} diff --git a/frontend/src/ts/component/field/DropdownTreeViewComponent.ts b/frontend/src/ts/component/field/DropdownTreeViewComponent.ts index c946e03..a3730a1 100644 --- a/frontend/src/ts/component/field/DropdownTreeViewComponent.ts +++ b/frontend/src/ts/component/field/DropdownTreeViewComponent.ts @@ -2,19 +2,29 @@ import { ChangeDetectionStrategy, ChangeDetectorRef, Component, - ElementRef + ElementRef, + Input } from "@angular/core"; import { + AdvancedProperty, Event, InputControl, - UserService, - Visible + LocalStorageService, + NotNull, + PageContextHolder, + PageObjectUtils, + TaskParamsProvider, + Visible, + WebbpmStorage } from "@webbpm/base-package"; import {TreeItemDto} from "../../generated/component/model/TreeItemDto"; import {TreeItemRpcService} from "../../generated/component/rpc/TreeItemRpcService"; -import {DropdownTreeviewSelectI18n} from "../external/ngx-treeview/dropdown-treeview-select/dropdown-treeview-select-i18n"; +import { + DropdownTreeviewSelectI18n +} from "../external/ngx-treeview/dropdown-treeview-select/dropdown-treeview-select-i18n"; import {TreeItem, TreeviewItem} from "ngx-treeview"; +import {TreeValuesCacheStrategy} from "../enum/TreeValuesCacheStrategy"; @Component({ moduleId: module.id, @@ -26,44 +36,118 @@ import {TreeItem, TreeviewItem} from "ngx-treeview"; changeDetection: ChangeDetectionStrategy.OnPush }) export class DropdownTreeViewComponent extends InputControl { + @Input() + @AdvancedProperty() + public treeValuesCacheStrategy: TreeValuesCacheStrategy; + @Visible("treeValuesCacheStrategy == TreeValuesCacheStrategy.BY_CUSTOM_NAME") + @NotNull("treeValuesCacheStrategy == TreeValuesCacheStrategy.BY_CUSTOM_NAME") + @AdvancedProperty() + public treeValuesCustomName: string; + @Visible("false") + public cachedValue: TreeItemDto; public collapseLevel: number; public maxHeight: number; @Visible("false") public items: TreeviewItem[]; @Visible("false") - public value: any; + public value: TreeItemDto; @Visible("false") public valueChangeEvent: Event = new Event(); private rpcService: TreeItemRpcService; - constructor(el: ElementRef, cd: ChangeDetectorRef, - private i18n: DropdownTreeviewSelectI18n) { + private localStorageService: LocalStorageService; + private taskParamsProvider: TaskParamsProvider; + private pageContextHolder: PageContextHolder; + private webbpmStorage: WebbpmStorage; + private storageKey: string; + private rootValues: TreeItemDto[]; + + constructor(el: ElementRef, cd: ChangeDetectorRef, private i18n: DropdownTreeviewSelectI18n) { super(el, cd); } public initialize() { super.initialize(); this.rpcService = this.getScript(TreeItemRpcService); + + this.taskParamsProvider = this.injector.get(TaskParamsProvider); + this.localStorageService = this.injector.get(LocalStorageService); + this.pageContextHolder = this.injector.get(PageContextHolder); + this.webbpmStorage = + this.getTreeValuesStorage(this.treeValuesCacheStrategy, this.treeValuesCustomName); + this.cachedValue = this.getCachedValue(); this.loadTreeItems(); } + private getTreeValuesStorage(treeValuesCacheStrategy: TreeValuesCacheStrategy, + customKeyName: string) { + if (!treeValuesCacheStrategy) { + return null; + } + switch (treeValuesCacheStrategy) { + case TreeValuesCacheStrategy.BY_PAGE_OBJECT_ID: + this.storageKey = PageObjectUtils.getPageObjectKey(this); + return this.readWebbpmStorage(this.storageKey); + case TreeValuesCacheStrategy.BY_OBJECT_NAME: + this.storageKey = this.getObjectName(); + return this.readWebbpmStorage(this.storageKey); + case TreeValuesCacheStrategy.BY_CUSTOM_NAME: + this.storageKey = customKeyName; + return this.readWebbpmStorage(this.storageKey); + default: + throw new Error("Unknown tree values storage type = " + treeValuesCacheStrategy) + } + } + + readWebbpmStorage(treeStorageKey: string) { + if (this.pageContextHolder.isPageInBpmnContext()) { + treeStorageKey = treeStorageKey + "$" + this.taskParamsProvider.processInstanceId + } + return this.localStorageService.readTemporalWebbpmStorage(treeStorageKey); + } + @Visible() public loadTreeItems(): void { this.rpcService.loadTreeData() .then((res: TreeItemDto[]) => { this.items = res.map(value => new TreeviewItem(this.createTreeItem(value))); + this.rootValues = res; const rootItem = this.items[0]; - this.i18n.selectedItem = rootItem; - this.value = rootItem ? rootItem.value : rootItem; + if (this.cachedValue) { + const matchedItem = this.findTreeItemByValue(this.items, this.cachedValue); + if (matchedItem) { + this.i18n.selectedItem = matchedItem; + this.value = matchedItem.value; + } + } + else { + this.i18n.selectedItem = rootItem; + this.value = rootItem.value; + } this.doCollapseLevel(); this.onValueChange(this.value); this.cd.markForCheck(); }); } + private findTreeItemByValue(rootItems: TreeviewItem[], valueToFind: any): TreeviewItem | null { + for (const item of rootItems) { + if (JSON.stringify(item.value) === JSON.stringify(valueToFind)) { + return item; + } + if (item.children) { + const found = this.findTreeItemByValue(item.children, valueToFind); + if (found) { + return found; + } + } + } + return null; + } + private createTreeItem(treeItemDto: TreeItemDto): TreeItem { let treeItem: TreeItem; if (treeItemDto) { @@ -84,6 +168,7 @@ export class DropdownTreeViewComponent extends InputControl { } public onValueChange($event: any) { + this.setCachedValue(this.value); this.valueChangeEvent.trigger($event); this.applyListener(this.changeListeners); } @@ -113,20 +198,51 @@ export class DropdownTreeViewComponent extends InputControl { } } + protected setCachedValue(newValue: TreeItemDto): void { + if (this.webbpmStorage) { + this.webbpmStorage.put(this.storageKey, newValue); + } + } + + protected getCachedValue(): TreeItemDto { + if (this.webbpmStorage) { + return this.webbpmStorage.get(this.storageKey); + } + return null; + } + getPresentationValue(): string | number | boolean { - return this.value; + return this.value ? this.value.label : ''; } getValue(): any { - return this.value; + return this.value ? this.value.id : this.value; } - getValueAsModel(): any { + getValueAsModel(): TreeItemDto { return this.value ? this.value : null; } - setValue(value: any): any { - this.value = value; + setValue(value: any): void { + const foundValue: TreeItemDto = this.findValueInRootsById(value); + if (foundValue) { + this.value = foundValue; + this.onValueChange(this.value); + } + } + + private findValueInRootsById(id: any): TreeItemDto { + let searchArray: TreeItemDto[] = this.rootValues.slice(); + while (searchArray.length > 0) { + const current = searchArray.shift(); + if (current.id == id) { + return current; + } + if (current.children && current.children.length > 0) { + searchArray.push(...current.children); + } + } + return undefined; } onChange() { @@ -134,6 +250,11 @@ export class DropdownTreeViewComponent extends InputControl { this.valueChangeEvent.trigger(this.value); } + addChangeListener(onChangeFunction: Function): void { + super.addChangeListener(onChangeFunction); + onChangeFunction(); + } + subscribeToModelChange() { //empty because there is no ngModel here } diff --git a/frontend/src/ts/ervu_business_metrics/component/chart/ErvuChartV2.ts b/frontend/src/ts/ervu_business_metrics/component/chart/ErvuChartV2.ts index faccd33..6b57f03 100644 --- a/frontend/src/ts/ervu_business_metrics/component/chart/ErvuChartV2.ts +++ b/frontend/src/ts/ervu_business_metrics/component/chart/ErvuChartV2.ts @@ -241,6 +241,13 @@ export class ErvuChartV2 extends Control implements Filterable { } this.cd.markForCheck(); } + }, + filter: tooltipItem => { + const type = tooltipItem.chart.config.type; + if (type == 'doughnut' || type == 'pie') { + return tooltipItem.label.trim().length !== 0; + } + return tooltipItem.dataset.label.trim().length !== 0; } }; diff --git a/pom.xml b/pom.xml index bf523a8..9a9c344 100644 --- a/pom.xml +++ b/pom.xml @@ -15,6 +15,7 @@ scm:git:git://gitserver/webbpm/webbpm-components.git + 2.9.13 1.60 UTF-8 false @@ -285,6 +286,28 @@ log4j-web 2.23.1 + + org.springframework.kafka + spring-kafka + ${spring-kafka.version} + + + org.apache.kafka + kafka-clients + + + + + org.apache.kafka + kafka-clients + 3.9.0 + + + org.xerial.snappy + snappy-java + + + diff --git a/resources/src/main/resources/business-model/ervu-business-metrics/accounting_criminal_administrative_liability.page b/resources/src/main/resources/business-model/ervu-business-metrics/accounting_criminal_administrative_liability.page index bcc19ec..5dd7a50 100644 --- a/resources/src/main/resources/business-model/ervu-business-metrics/accounting_criminal_administrative_liability.page +++ b/resources/src/main/resources/business-model/ervu-business-metrics/accounting_criminal_administrative_liability.page @@ -222,6 +222,18 @@ + + treeValuesCacheStrategy + +"BY_CUSTOM_NAME" + + + + treeValuesCustomName + +"treeSelectionCache" + + @@ -1944,27 +1956,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -2393,27 +2386,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter diff --git a/resources/src/main/resources/business-model/ervu-business-metrics/administration.page b/resources/src/main/resources/business-model/ervu-business-metrics/administration.page index ebb42f1..66768ad 100644 --- a/resources/src/main/resources/business-model/ervu-business-metrics/administration.page +++ b/resources/src/main/resources/business-model/ervu-business-metrics/administration.page @@ -123,6 +123,18 @@ + + treeValuesCacheStrategy + +"BY_CUSTOM_NAME" + + + + treeValuesCustomName + +"treeSelectionCache" + + @@ -1859,27 +1871,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -2015,27 +2008,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -2213,27 +2187,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -2369,27 +2324,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -2477,7 +2413,6 @@ 1ce3c26e-d819-4499-9cb0-6c47f3bfd86b ВК Анализ пользователей по ролям true - false false @@ -3245,48 +3180,7 @@ - - - - - backgroundColor - - "#E9DECDFF" - - - - chartType - - "BAR" - - - - dataColumn - - {"schema":"admin_indicators","table":"user_analysis","entity":"user_analysis","name":"count_administrator_military_office"} - - - - dataLabel - - "Администратор военкомата" - - - - labelColumn - - {"schema":"admin_indicators","table":"user_analysis","entity":"user_analysis","name":"count_administrator_military_office"} - - - - stack - - "Администратор военкомата" - - - - - + @@ -3371,7 +3265,92 @@ - + + + + + + backgroundColor + + "#E9DECDFF" + + + + chartType + + "BAR" + + + + dataColumn + + {"schema":"admin_indicators","table":"user_analysis","entity":"user_analysis","name":"count_responsible_zi"} + + + + dataLabel + + "Ответственный за защиту информации" + + + + labelColumn + + {"schema":"admin_indicators","table":"user_analysis","entity":"user_analysis","name":"count_responsible_zi"} + + + + stack + + "Ответственный за защиту информации" + + + + + + + + + + backgroundColor + + "#E9DECDFF" + + + + chartType + + "BAR" + + + + dataColumn + + {"schema":"admin_indicators","table":"user_analysis","entity":"user_analysis","name":"count_responsible_zi_svk"} + + + + dataLabel + + "Ответственный за защиту информации военного комиссариата субъекта РФ" + + + + labelColumn + + {"schema":"admin_indicators","table":"user_analysis","entity":"user_analysis","name":"count_responsible_zi_svk"} + + + + stack + + "Ответственный за защиту информации военного комиссариата субъекта РФ" + + + + + + @@ -3411,6 +3390,7 @@ + false @@ -3440,6 +3420,7 @@ ervu_business_metrics.component.chart true + true bars @@ -3464,7 +3445,7 @@ index - 462.0 + 504.0 @@ -3482,7 +3463,7 @@ index - 420.0 + 462.0 @@ -3500,7 +3481,7 @@ index - 378.0 + 420.0 @@ -3518,7 +3499,7 @@ index - 336.0 + 378.0 @@ -3536,7 +3517,7 @@ index - 294.0 + 336.0 @@ -3554,7 +3535,7 @@ index - 252.0 + 294.0 @@ -3572,7 +3553,7 @@ index - 210.0 + 252.0 @@ -3590,7 +3571,7 @@ index - 168.0 + 210.0 @@ -3608,7 +3589,7 @@ index - 126.0 + 168.0 @@ -3620,13 +3601,13 @@ barStack - "Администратор военкомата" + "Специалист ВК по ВУ" index - 84.0 + 126.0 @@ -3638,13 +3619,13 @@ barStack - "Специалист ВК по ВУ" + "Специалист по комплектованию" index - 42.0 + 84.0 @@ -3656,7 +3637,25 @@ barStack - "Специалист по комплектованию" + "Ответственный за защиту информации" + + + + index + + 42.0 + + + + + + + + + + barStack + + "Ответственный за защиту информации военного комиссариата субъекта РФ" @@ -3679,7 +3678,7 @@ max - 480.0 + 520.0 @@ -3823,13 +3822,13 @@ height - "462px" + "525px" margin - "10px 0px 0px 0px" + "4px 0px 0px 0px" @@ -3999,27 +3998,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -4176,27 +4156,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -4267,27 +4228,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -4358,27 +4300,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -4449,27 +4372,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -4540,27 +4444,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -4631,27 +4516,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -4722,27 +4588,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -4813,27 +4660,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -4904,27 +4732,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -4968,97 +4777,6 @@ false - - ba24d307-0b91-4299-ba82-9d0b52384ff2 - 5a9d921c-168c-4e73-82eb-665859fc567a - 10% - false - false - - - - cssClasses - - - -"text-invert" - - - - - - label - - "%" - - - - textFormatter - - - -replaceModels - - - - - - value - - "0" - - - - - - - - - - ReplaceValueTextFormatter - ervu_business_metrics.formatter - - - - - - - - - - defaultValueColumn - - {"schema":"admin_indicators","table":"view_user_analysis","entity":"view_user_analysis","name":"percent_administrator_military_office"} - - - - loadType - - "BY_COLUMN" - - - - - - - - loadType - - "BY_COLUMN" - - - - valueByEventColumn - - {"schema":"admin_indicators","table":"view_user_analysis","entity":"view_user_analysis","name":"percent_administrator_military_office"} - - - - - - false - - ba24d307-0b91-4299-ba82-9d0b52384ff2 4e58c780-8bcf-4965-94b8-cee4275d7006 @@ -5086,27 +4804,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -5177,27 +4876,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -5241,6 +4921,150 @@ false + + ba24d307-0b91-4299-ba82-9d0b52384ff2 + dff09964-6e71-4fd4-a8c8-6ca3a354f6f4 + 10% + false + false + + + + cssClasses + + + +"text-invert" + + + + + + label + + "%" + + + + textFormatter + + + NumberToLocalStringFormatter + ervu_business_metrics.formatter + + + + + + + + + + defaultValueColumn + + {"schema":"admin_indicators","table":"view_user_analysis","entity":"view_user_analysis","name":"percent_responsible_zi"} + + + + loadType + + "BY_COLUMN" + + + + + + + + loadType + + "BY_COLUMN" + + + + valueByEventColumn + + {"schema":"admin_indicators","table":"view_user_analysis","entity":"view_user_analysis","name":"percent_responsible_zi"} + + + + + + false + + + + ba24d307-0b91-4299-ba82-9d0b52384ff2 + 5a9d921c-168c-4e73-82eb-665859fc567a + 10% + false + false + + + + cssClasses + + + +"text-invert" + + + + + + label + + "%" + + + + textFormatter + + + NumberToLocalStringFormatter + ervu_business_metrics.formatter + + + + + + + + + + defaultValueColumn + + {"schema":"admin_indicators","table":"view_user_analysis","entity":"view_user_analysis","name":"percent_responsible_zi_svk"} + + + + loadType + + "BY_COLUMN" + + + + + + + + loadType + + "BY_COLUMN" + + + + valueByEventColumn + + {"schema":"admin_indicators","table":"view_user_analysis","entity":"view_user_analysis","name":"percent_responsible_zi_svk"} + + + + + + false + + 9d1b5af1-0b8f-4b1b-b9a5-c2e6acf72d91 @@ -5296,27 +5120,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -5387,27 +5192,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -5478,27 +5264,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -5569,27 +5336,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -5660,27 +5408,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -5745,27 +5474,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -5831,27 +5541,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -5916,27 +5607,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -6001,27 +5673,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -6065,91 +5718,6 @@ false - - ba24d307-0b91-4299-ba82-9d0b52384ff2 - f6429082-3de0-4720-94d9-ac2b15052e8f - 10 - false - false - - - - cssClasses - - - -"pull-right" - - - - - - textFormatter - - - -replaceModels - - - - - - value - - "0" - - - - - - - - - - ReplaceValueTextFormatter - ervu_business_metrics.formatter - - - - - - - - - - defaultValueColumn - - {"schema":"admin_indicators","table":"user_analysis","entity":"user_analysis","name":"count_administrator_military_office"} - - - - loadType - - "BY_COLUMN" - - - - - - - - loadType - - "BY_COLUMN" - - - - valueByEventColumn - - {"schema":"admin_indicators","table":"user_analysis","entity":"user_analysis","name":"count_administrator_military_office"} - - - - - - false - - ba24d307-0b91-4299-ba82-9d0b52384ff2 3fa4f8bb-dcf6-4290-8280-9e2979173c91 @@ -6171,27 +5739,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -6256,27 +5805,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -6320,6 +5850,138 @@ false + + ba24d307-0b91-4299-ba82-9d0b52384ff2 + ad846270-1069-428d-977a-68311bb999d1 + 10 + false + false + + + + cssClasses + + + +"pull-right" + + + + + + textFormatter + + + NumberToLocalStringFormatter + ervu_business_metrics.formatter + + + + + + + + + + defaultValueColumn + + {"schema":"admin_indicators","table":"user_analysis","entity":"user_analysis","name":"count_responsible_zi"} + + + + loadType + + "BY_COLUMN" + + + + + + + + loadType + + "BY_COLUMN" + + + + valueByEventColumn + + {"schema":"admin_indicators","table":"user_analysis","entity":"user_analysis","name":"count_responsible_zi"} + + + + + + false + + + + ba24d307-0b91-4299-ba82-9d0b52384ff2 + f6429082-3de0-4720-94d9-ac2b15052e8f + 10 + false + false + + + + cssClasses + + + +"pull-right" + + + + + + textFormatter + + + NumberToLocalStringFormatter + ervu_business_metrics.formatter + + + + + + + + + + defaultValueColumn + + {"schema":"admin_indicators","table":"user_analysis","entity":"user_analysis","name":"count_responsible_zi_svk"} + + + + loadType + + "BY_COLUMN" + + + + + + + + loadType + + "BY_COLUMN" + + + + valueByEventColumn + + {"schema":"admin_indicators","table":"user_analysis","entity":"user_analysis","name":"count_responsible_zi_svk"} + + + + + + false + + 9d1b5af1-0b8f-4b1b-b9a5-c2e6acf72d91 @@ -6848,35 +6510,6 @@ false - - ba24d307-0b91-4299-ba82-9d0b52384ff2 - 581f2843-87f0-4454-9c69-1040dd93ea37 - Администратор военкомата - false - false - - - - initialValue - - "Администратор военкомата" - - - - tooltip - - "Администратор военкомата" - - - - - - - - - false - - ba24d307-0b91-4299-ba82-9d0b52384ff2 16bc82ce-6710-41a1-a91c-ed2b01461575 @@ -6935,6 +6568,64 @@ false + + ba24d307-0b91-4299-ba82-9d0b52384ff2 + 581f2843-87f0-4454-9c69-1040dd93ea37 + Ответственный за защиту информации + false + false + + + + initialValue + + "Ответственный за защиту информации" + + + + tooltip + + "Ответственный за защиту информации" + + + + + + + + + false + + + + ba24d307-0b91-4299-ba82-9d0b52384ff2 + d79613dd-1558-40cb-9704-479756465f74 + Ответственный за защиту информации военного комиссариата субъекта РФ + false + false + + + + initialValue + + "Ответственный за защиту информации военного комиссариата субъекта РФ" + + + + tooltip + + "Ответственный за защиту информации военного комиссариата субъекта РФ" + + + + + + + + + false + + diff --git a/resources/src/main/resources/business-model/ervu-business-metrics/appeals.page b/resources/src/main/resources/business-model/ervu-business-metrics/appeals.page index 2ede5b5..69598ae 100644 --- a/resources/src/main/resources/business-model/ervu-business-metrics/appeals.page +++ b/resources/src/main/resources/business-model/ervu-business-metrics/appeals.page @@ -123,6 +123,18 @@ + + treeValuesCacheStrategy + +"BY_CUSTOM_NAME" + + + + treeValuesCustomName + +"treeSelectionCache" + + @@ -1969,27 +1981,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -2381,27 +2374,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -3328,27 +3302,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -3538,27 +3493,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -3634,27 +3570,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -3737,27 +3654,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -3840,27 +3738,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -3925,27 +3804,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -4016,27 +3876,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter diff --git a/resources/src/main/resources/business-model/ervu-business-metrics/conversion.page b/resources/src/main/resources/business-model/ervu-business-metrics/conversion.page index 7913a78..5229ef5 100644 --- a/resources/src/main/resources/business-model/ervu-business-metrics/conversion.page +++ b/resources/src/main/resources/business-model/ervu-business-metrics/conversion.page @@ -129,6 +129,18 @@ + + treeValuesCacheStrategy + +"BY_CUSTOM_NAME" + + + + treeValuesCustomName + +"treeSelectionCache" + + visible @@ -1528,6 +1540,7 @@ e7d99292-f2d5-4c52-a9db-e4e63e768527 ВК основная информация раздела Конвертация true + false false @@ -2459,27 +2472,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -2715,28 +2709,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -2820,27 +2794,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -2936,27 +2891,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -3030,27 +2966,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -3951,27 +3868,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -4151,27 +4049,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -4249,27 +4128,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -4368,27 +4228,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -4461,27 +4302,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -4646,6 +4468,7 @@ 3447ab1c-24c9-435a-9e23-1e0ab39404ab ГК второй ряд показателей true + false false @@ -5481,27 +5304,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -5933,7 +5737,6 @@ 674c1487-8d74-433c-9cb4-a2f4695625dd ВК Результаты конвертации true - false false @@ -6886,27 +6689,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -6978,27 +6762,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -7070,27 +6835,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -7162,27 +6908,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -7443,7 +7170,6 @@ ea4d0df5-9e4f-48b2-bf91-3a72d3a90640 ГК третий ряд показателей true - false false @@ -9624,27 +9350,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -9716,27 +9423,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -9808,27 +9496,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -9900,27 +9569,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -9992,27 +9642,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -10084,27 +9715,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -10176,27 +9788,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -10268,27 +9861,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -10360,27 +9934,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter diff --git a/resources/src/main/resources/business-model/ervu-business-metrics/incidents.page b/resources/src/main/resources/business-model/ervu-business-metrics/incidents.page index f4749c9..45a8ef5 100644 --- a/resources/src/main/resources/business-model/ervu-business-metrics/incidents.page +++ b/resources/src/main/resources/business-model/ervu-business-metrics/incidents.page @@ -123,6 +123,18 @@ + + treeValuesCacheStrategy + +"BY_CUSTOM_NAME" + + + + treeValuesCustomName + +"treeSelectionCache" + + @@ -2352,27 +2364,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -2556,27 +2549,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -2658,27 +2632,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -2760,27 +2715,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -2863,27 +2799,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -2954,27 +2871,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -3045,27 +2943,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -3325,7 +3204,6 @@ 8c048d37-2167-4bfd-86b1-1e5ac6f71e2a ВК инцидентов принято на рассмотрение true - false false @@ -3556,27 +3434,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -4439,27 +4298,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -4642,27 +4482,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -4744,27 +4565,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -4847,27 +4649,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -4938,27 +4721,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -6277,27 +6041,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -6466,27 +6211,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -6563,27 +6289,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -6660,27 +6367,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -6757,27 +6445,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -6854,27 +6523,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -6957,27 +6607,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -7048,27 +6679,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -7139,27 +6751,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -7230,27 +6823,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -7321,27 +6895,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -8631,27 +8186,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -8722,27 +8258,9 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - + false - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -8826,27 +8344,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -8918,27 +8417,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -9128,6 +8608,7 @@ 62f20d4e-a45e-47d0-97f9-e8cb7e62c104 ГК Плашки true + false false @@ -9402,27 +8883,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -9795,27 +9257,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter diff --git a/resources/src/main/resources/business-model/ervu-business-metrics/initial_registration.page b/resources/src/main/resources/business-model/ervu-business-metrics/initial_registration.page index cbc6cfc..6cf7186 100644 --- a/resources/src/main/resources/business-model/ervu-business-metrics/initial_registration.page +++ b/resources/src/main/resources/business-model/ervu-business-metrics/initial_registration.page @@ -123,6 +123,18 @@ + + treeValuesCacheStrategy + +"BY_CUSTOM_NAME" + + + + treeValuesCustomName + +"treeSelectionCache" + + @@ -1123,7 +1135,76 @@ 9ec1be5b-2050-412c-b0c8-ccfb2c521613 Администрирование false - true + false + false + + false + + + caption + +"Администрирование" + + + + style + + + + height + + null + + + + width + + null + + + + + + + + + + StaticRouteNavigationButton + modules.user-management.component + + true + true + + + caption + +"Администрирование" + + + + cssClasses + + + + "panel-btn" + + + + + + route + +"/administration" + + + + visible + +true + + + + fd7e47b9-dce1-4d14-9f3a-580c79f59579 @@ -1353,6 +1434,13 @@ + + ba24d307-0b91-4299-ba82-9d0b52384ff2 + 5450f801-64a9-4415-92b3-36cbc946743d + Text Первоначальная постановка на воинский учет + false + true + d7d54cfb-26b5-4dba-b56f-b6247183c24d 7aa0d2f7-5846-4687-8181-bed27079ea40 @@ -1478,12 +1566,20 @@ 36a2e073-5d65-4760-b444-ee9abed23a16 Tab container true + false false + + ba24d307-0b91-4299-ba82-9d0b52384ff2 + 5450f801-64a9-4415-92b3-36cbc946743d + Text Первоначальная постановка на воинский учет + false + true + 84b784bf-7bec-42f5-bbb7-8a465de45019 7b47ba81-1c81-4780-b0f6-7fe726e099a7 @@ -2495,6 +2591,7 @@ b3543f98-8317-42b5-93bb-1737fbb2d3ee ГК Первый ряд true + false false @@ -2519,6 +2616,7 @@ 205f17a7-729b-412e-b9ee-ac65bc6543bc Vbox_50% true +false false @@ -2750,27 +2848,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -2949,6 +3028,7 @@ 7bdaa111-435a-4989-865b-949de6e6f8c6 ВК Присвоение идентификатора true +false false @@ -3884,27 +3964,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -4100,27 +4161,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -4198,27 +4240,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -4302,27 +4325,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -4394,27 +4398,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -4605,6 +4590,7 @@ 1d6eb28d-9c1f-4dc4-bf37-49eb7a2e4d37 ГК Второй ряд true + false false @@ -4889,6 +4875,7 @@ 3fa6eec2-ebc1-4d1d-b262-dde7fb48aefb ВК График true + false false @@ -5986,27 +5973,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -6084,27 +6052,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -6182,27 +6131,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -6280,27 +6210,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -6378,27 +6289,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -6476,27 +6368,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -6574,27 +6447,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -6672,27 +6526,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -6770,27 +6605,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -6874,27 +6690,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -6966,27 +6763,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -7058,27 +6836,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -7150,27 +6909,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -7242,27 +6982,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -7334,27 +7055,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -7426,27 +7128,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -7518,27 +7201,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -7610,27 +7274,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -8356,6 +8001,7 @@ f9b72a92-ac14-47c0-8a18-0a392b96bebd Вертикальный контейнер true +false false @@ -10324,6 +9970,7 @@ 73d1266f-664f-4e69-b77a-5b5c83f22486 Vbox_50% true + false false @@ -10555,27 +10202,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -11077,27 +10705,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -12220,27 +11829,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -12436,27 +12026,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -12534,27 +12105,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -12638,27 +12190,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -12730,27 +12263,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -14262,27 +13776,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -14463,27 +13958,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -14565,27 +14041,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -14667,27 +14124,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -14769,27 +14207,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -14871,27 +14290,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -14973,27 +14373,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -15075,27 +14456,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -15177,27 +14539,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -15286,27 +14629,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -15377,27 +14701,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -15468,27 +14773,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -15559,27 +14845,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -15650,27 +14917,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -15741,27 +14989,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -15832,27 +15061,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -15923,27 +15133,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -16372,7 +15563,6 @@ c2ee826b-4b6e-4e45-b833-70195189a69d ВК Сформированные решения true - false false @@ -17414,27 +16604,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -17604,27 +16775,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -17695,27 +16847,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -17786,27 +16919,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -18026,27 +17140,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -18117,27 +17212,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -18208,27 +17284,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -18678,27 +17735,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -18885,6 +17923,7 @@ ed50e948-b0aa-48a1-a35e-fe9ec8460ba5 ГК третий ряд true + false false @@ -19100,7 +18139,6 @@ 2e5c8cde-f15e-4c67-a529-acf76fd6f7cc ГК Заголовок true - false false @@ -19159,7 +18197,6 @@ 5c4e1ffc-9a20-4248-b8dc-40d306090eba ГК График и показатели true - false false @@ -20268,27 +19305,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -20366,27 +19384,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -20464,27 +19463,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -20562,27 +19542,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -20660,27 +19621,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -20758,27 +19700,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -20856,27 +19779,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -20954,27 +19858,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -21052,27 +19937,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -21156,27 +20022,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -21248,27 +20095,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -21340,27 +20168,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -21432,27 +20241,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -21524,27 +20314,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -21616,27 +20387,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -21708,27 +20460,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -21800,27 +20533,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -21892,27 +20606,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -22638,6 +21333,7 @@ a8bf2e61-57cb-4654-9618-ab51c9a99e7b Вертикальный контейнер true +false false @@ -22665,6 +21361,7 @@ f9c0232a-5785-4fde-9a6d-dfbdd909073e Vbox_50% true + false false @@ -22896,27 +21593,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -23299,27 +21977,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -24532,27 +23191,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -24722,27 +23362,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -24813,27 +23434,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -24904,27 +23506,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -25144,27 +23727,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -25236,27 +23800,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -25327,27 +23872,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -26534,27 +25060,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -26750,27 +25257,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -26848,27 +25336,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -26952,27 +25421,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -27044,27 +25494,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -27486,27 +25917,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -27742,6 +26154,7 @@ 99429bab-99a2-45cd-aea3-841287e1bd9d ГК третий ряд true + false false @@ -29123,27 +27536,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -29221,27 +27615,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -29319,27 +27694,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -29417,27 +27773,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -29515,27 +27852,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -29613,27 +27931,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -29711,27 +28010,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -29809,27 +28089,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -29907,27 +28168,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -30011,27 +28253,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -30103,27 +28326,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -30195,27 +28399,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -30287,27 +28472,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -30379,27 +28545,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -30471,27 +28618,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -30563,27 +28691,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -30655,27 +28764,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -30747,27 +28837,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -31722,27 +29793,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -31867,76 +29919,7 @@ 9ec1be5b-2050-412c-b0c8-ccfb2c521613 Администрирование false - false - false - - false - - - caption - - "Администрирование" - - - - style - - - - height - - null - - - - width - - null - - - - - - - - - -StaticRouteNavigationButton -modules.user-management.component - - true - true - - - caption - - "Администрирование" - - - - cssClasses - - - - "panel-btn" - - - - - - route - - "/administration" - - - - visible - - true - - - - + true @@ -33687,27 +31670,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -33897,27 +31861,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -33993,27 +31938,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -34096,27 +32022,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -34199,27 +32106,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -34284,27 +32172,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -34375,27 +32244,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -35579,27 +33429,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -35795,27 +33626,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -35887,27 +33699,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -35991,27 +33784,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -36083,27 +33857,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -36294,6 +34049,7 @@ 78372736-3179-4b79-bd3a-8c1df6f2c9ba ГК Второй ряд true + false false @@ -36318,7 +34074,6 @@ dbd62d9c-9623-46d1-8a07-daba8c057090 ВК Отправка уведомлений в ЛК гражданина на ЕПГУ true -false false @@ -37675,27 +35430,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -37773,27 +35509,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -37871,27 +35588,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -37969,27 +35667,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -38067,27 +35746,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -38165,27 +35825,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -38263,27 +35904,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -38361,27 +35983,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -38459,27 +36062,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -38563,27 +36147,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -38655,27 +36220,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -38747,27 +36293,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -38839,27 +36366,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -38931,27 +36439,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -39023,27 +36512,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -39115,27 +36585,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -39207,27 +36658,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -39299,27 +36731,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -40045,6 +37458,7 @@ ff054998-1054-4b6a-8cd4-37095753985a ВК Сформированные решения true +false false @@ -41078,27 +38492,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -41268,27 +38663,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -41359,27 +38735,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -41450,27 +38807,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -41690,27 +39028,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -41781,27 +39100,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -41872,27 +39172,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -42142,11 +39423,8 @@ cssClasses - - - "bl" - - + + @@ -42156,7 +39434,7 @@ width - "51%" + "50%" @@ -42405,27 +39683,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -43935,27 +41194,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -44136,27 +41376,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -44238,27 +41459,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -44340,27 +41542,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -44442,27 +41625,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -44544,27 +41708,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -44646,27 +41791,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -44748,27 +41874,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -44850,27 +41957,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -44953,27 +42041,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -45044,27 +42113,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -45135,27 +42185,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -45226,27 +42257,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -45317,27 +42329,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -45408,27 +42401,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -45500,27 +42474,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -45591,27 +42546,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -46976,27 +43912,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -47192,27 +44109,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -47290,27 +44188,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -47394,27 +44273,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -47486,27 +44346,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -48730,27 +45571,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -48920,27 +45742,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -49011,27 +45814,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -49102,27 +45886,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -49342,27 +46107,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -49433,27 +46179,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -49524,27 +46251,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -49764,6 +46472,7 @@ fa86bb83-ba12-4887-9da6-dc72c0994957 ГК Второй ряд true + false false @@ -49788,7 +46497,6 @@ d37169a7-d955-40f5-b35b-75b752738fb8 ВК Отправка уведомлений в ЛК гражданина на ЕПГУ true -false false @@ -51146,27 +47854,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -51244,27 +47933,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -51342,27 +48012,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -51440,27 +48091,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -51538,27 +48170,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -51636,27 +48249,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -51734,27 +48328,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -51832,27 +48407,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -51930,27 +48486,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -52034,27 +48571,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -52126,27 +48644,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -52218,27 +48717,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -52310,27 +48790,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -52402,27 +48863,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -52494,27 +48936,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -52586,27 +49009,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -52678,27 +49082,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -52770,27 +49155,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -53516,6 +49882,7 @@ 6cc29784-485d-4090-bf17-5367bb67c4bc Вертикальный контейнер true +false false @@ -53774,27 +50141,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -54120,27 +50468,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -54522,27 +50851,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -55671,27 +51981,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -55861,27 +52152,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -55952,27 +52224,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -56043,27 +52296,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -56283,27 +52517,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -56374,27 +52589,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -56465,27 +52661,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -57665,27 +53842,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -57881,27 +54039,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -57979,27 +54118,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -58083,27 +54203,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -58175,27 +54276,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -58617,27 +54699,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -60114,27 +56177,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -60212,27 +56256,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -60310,27 +56335,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -60408,27 +56414,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -60506,27 +56493,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -60604,27 +56572,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -60702,27 +56651,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -60800,27 +56730,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -60898,27 +56809,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -61002,27 +56894,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -61094,27 +56967,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -61186,27 +57040,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -61278,27 +57113,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -61370,27 +57186,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -61462,27 +57259,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -61554,27 +57332,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -61646,27 +57405,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -61738,27 +57478,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -62484,6 +58205,7 @@ 92835167-8fbb-4760-ba85-16d4f2778204 Vbox_50% true +false false @@ -62713,27 +58435,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -62852,6 +58555,20 @@ + + ba24d307-0b91-4299-ba82-9d0b52384ff2 + 5450f801-64a9-4415-92b3-36cbc946743d + Text Первоначальная постановка на воинский учет + false + true + + + 9d1b5af1-0b8f-4b1b-b9a5-c2e6acf72d91 + 62e2055e-ccf0-4878-9420-5aa4c2cd0a0c + ВК ЕПГУ + true + true + diff --git a/resources/src/main/resources/business-model/ervu-business-metrics/military_registration_changing_address.page b/resources/src/main/resources/business-model/ervu-business-metrics/military_registration_changing_address.page index 157d06d..792f10d 100644 --- a/resources/src/main/resources/business-model/ervu-business-metrics/military_registration_changing_address.page +++ b/resources/src/main/resources/business-model/ervu-business-metrics/military_registration_changing_address.page @@ -123,6 +123,18 @@ + + treeValuesCacheStrategy + +"BY_CUSTOM_NAME" + + + + treeValuesCustomName + +"treeSelectionCache" + + @@ -2538,7 +2550,6 @@ f0b30a65-2e61-4c6f-ae48-0f8b36d9e7cd ГК Первый ряд true - false false @@ -3780,27 +3791,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -3960,27 +3952,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -4057,27 +4030,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -4154,27 +4108,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -4251,27 +4186,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -4348,27 +4264,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -4445,27 +4342,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -4542,27 +4420,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -4645,27 +4504,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -4736,27 +4576,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -4827,27 +4648,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -4918,27 +4720,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -5009,27 +4792,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -5100,27 +4864,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -5191,27 +4936,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -5946,7 +5672,7 @@ graph - {"conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"nodeByIndex":{"0":{"tableName":"summonses_sign","schemaName":"registration_change_address","x":255.0,"y":88.0,"alias":"summonses_sign","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"1":{"tableName":"view_summonses_sign","schemaName":"registration_change_address","x":442.0,"y":150.0,"alias":"view_summonses_sign","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"2":{"tableName":"recruitment","schemaName":"metrics","x":76.0,"y":174.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"nodes":[{"tableName":"summonses_sign","schemaName":"registration_change_address","x":255.0,"y":88.0,"alias":"summonses_sign","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},{"tableName":"view_summonses_sign","schemaName":"registration_change_address","x":442.0,"y":150.0,"alias":"view_summonses_sign","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},{"tableName":"recruitment","schemaName":"metrics","x":76.0,"y":174.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}],"nodeByEntityName":{"recruitment":{"tableName":"recruitment","schemaName":"metrics","x":76.0,"y":174.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"view_summonses_sign":{"tableName":"view_summonses_sign","schemaName":"registration_change_address","x":442.0,"y":150.0,"alias":"view_summonses_sign","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"summonses_sign":{"tableName":"summonses_sign","schemaName":"registration_change_address","x":255.0,"y":88.0,"alias":"summonses_sign","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"matrix":[[null,null,{"refOnEntityName":"summonses_sign","refToEntityName":"recruitment","refToColumns":[{"schema":"metrics","table":"recruitment","entity":"recruitment","name":"idm_id"}],"refOnColumns":[{"schema":"registration_change_address","table":"summonses_sign","entity":"summonses_sign","name":"recruitment_id"}],"required":false,"cyclic":false,"conditionGroup":{"operator":"AND","conditions":[],"groups":[]}}],[{"refOnEntityName":"view_summonses_sign","refToEntityName":"summonses_sign","refToColumns":[{"schema":"registration_change_address","table":"summonses_sign","entity":"summonses_sign","name":"summonses_sign_id"}],"refOnColumns":[{"schema":"registration_change_address","table":"view_summonses_sign","entity":"view_summonses_sign","name":"summonses_sign_id"}],"required":false,"cyclic":false,"conditionGroup":{"operator":"AND","conditions":[],"groups":[]}},null,null],[null,null,null]],"mainNodeIndex":0} + {"conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"nodeByIndex":{"0":{"tableName":"summonses_sign","schemaName":"registration_change_address","x":255.0,"y":88.0,"alias":"summonses_sign","conditionGroup":{"operator":"AND","conditions":[{"column":{"schema":"registration_change_address","table":"summonses_sign","entity":"summonses_sign","name":"info_source"},"operation":"EQUAL","typeCode":"CONST","values":["\"GIR_VU\""]}],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"1":{"tableName":"view_summonses_sign","schemaName":"registration_change_address","x":442.0,"y":150.0,"alias":"view_summonses_sign","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"2":{"tableName":"recruitment","schemaName":"metrics","x":76.0,"y":174.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"nodes":[{"tableName":"summonses_sign","schemaName":"registration_change_address","x":255.0,"y":88.0,"alias":"summonses_sign","conditionGroup":{"operator":"AND","conditions":[{"column":{"schema":"registration_change_address","table":"summonses_sign","entity":"summonses_sign","name":"info_source"},"operation":"EQUAL","typeCode":"CONST","values":["\"GIR_VU\""]}],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},{"tableName":"view_summonses_sign","schemaName":"registration_change_address","x":442.0,"y":150.0,"alias":"view_summonses_sign","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},{"tableName":"recruitment","schemaName":"metrics","x":76.0,"y":174.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}],"nodeByEntityName":{"recruitment":{"tableName":"recruitment","schemaName":"metrics","x":76.0,"y":174.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"view_summonses_sign":{"tableName":"view_summonses_sign","schemaName":"registration_change_address","x":442.0,"y":150.0,"alias":"view_summonses_sign","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"summonses_sign":{"tableName":"summonses_sign","schemaName":"registration_change_address","x":255.0,"y":88.0,"alias":"summonses_sign","conditionGroup":{"operator":"AND","conditions":[{"column":{"schema":"registration_change_address","table":"summonses_sign","entity":"summonses_sign","name":"info_source"},"operation":"EQUAL","typeCode":"CONST","values":["\"GIR_VU\""]}],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"matrix":[[null,null,{"refOnEntityName":"summonses_sign","refToEntityName":"recruitment","refToColumns":[{"schema":"metrics","table":"recruitment","entity":"recruitment","name":"idm_id"}],"refOnColumns":[{"schema":"registration_change_address","table":"summonses_sign","entity":"summonses_sign","name":"recruitment_id"}],"required":false,"cyclic":false,"conditionGroup":{"operator":"AND","conditions":[],"groups":[]}}],[{"refOnEntityName":"view_summonses_sign","refToEntityName":"summonses_sign","refToColumns":[{"schema":"registration_change_address","table":"summonses_sign","entity":"summonses_sign","name":"summonses_sign_id"}],"refOnColumns":[{"schema":"registration_change_address","table":"view_summonses_sign","entity":"view_summonses_sign","name":"summonses_sign_id"}],"required":false,"cyclic":false,"conditionGroup":{"operator":"AND","conditions":[],"groups":[]}},null,null],[null,null,null]],"mainNodeIndex":0} @@ -6078,7 +5804,7 @@ graph - {"conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"nodeByIndex":{"0":{"tableName":"recruitment","schemaName":"metrics","x":161.0,"y":114.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"1":{"tableName":"summonses_sign","schemaName":"registration_change_address","x":397.0,"y":131.0,"alias":"summonses_sign","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"nodes":[{"tableName":"recruitment","schemaName":"metrics","x":161.0,"y":114.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},{"tableName":"summonses_sign","schemaName":"registration_change_address","x":397.0,"y":131.0,"alias":"summonses_sign","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}],"nodeByEntityName":{"recruitment":{"tableName":"recruitment","schemaName":"metrics","x":161.0,"y":114.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"summonses_sign":{"tableName":"summonses_sign","schemaName":"registration_change_address","x":397.0,"y":131.0,"alias":"summonses_sign","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"matrix":[[null,null],[{"refOnEntityName":"summonses_sign","refToEntityName":"recruitment","refToColumns":[{"schema":"metrics","table":"recruitment","entity":"recruitment","name":"idm_id"}],"refOnColumns":[{"schema":"registration_change_address","table":"summonses_sign","entity":"summonses_sign","name":"recruitment_id"}],"required":false,"cyclic":false,"conditionGroup":{"operator":"AND","conditions":[],"groups":[]}},null]],"mainNodeIndex":1} + {"conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"nodeByIndex":{"0":{"tableName":"recruitment","schemaName":"metrics","x":161.0,"y":114.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"1":{"tableName":"summonses_sign","schemaName":"registration_change_address","x":397.0,"y":131.0,"alias":"summonses_sign","conditionGroup":{"operator":"AND","conditions":[{"column":{"schema":"registration_change_address","table":"summonses_sign","entity":"summonses_sign","name":"info_source"},"operation":"EQUAL","typeCode":"CONST","values":["\"GIR_VU\""]}],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"nodes":[{"tableName":"recruitment","schemaName":"metrics","x":161.0,"y":114.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},{"tableName":"summonses_sign","schemaName":"registration_change_address","x":397.0,"y":131.0,"alias":"summonses_sign","conditionGroup":{"operator":"AND","conditions":[{"column":{"schema":"registration_change_address","table":"summonses_sign","entity":"summonses_sign","name":"info_source"},"operation":"EQUAL","typeCode":"CONST","values":["\"GIR_VU\""]}],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}],"nodeByEntityName":{"recruitment":{"tableName":"recruitment","schemaName":"metrics","x":161.0,"y":114.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"summonses_sign":{"tableName":"summonses_sign","schemaName":"registration_change_address","x":397.0,"y":131.0,"alias":"summonses_sign","conditionGroup":{"operator":"AND","conditions":[{"column":{"schema":"registration_change_address","table":"summonses_sign","entity":"summonses_sign","name":"info_source"},"operation":"EQUAL","typeCode":"CONST","values":["\"GIR_VU\""]}],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"matrix":[[null,null],[{"refOnEntityName":"summonses_sign","refToEntityName":"recruitment","refToColumns":[{"schema":"metrics","table":"recruitment","entity":"recruitment","name":"idm_id"}],"refOnColumns":[{"schema":"registration_change_address","table":"summonses_sign","entity":"summonses_sign","name":"recruitment_id"}],"required":false,"cyclic":false,"conditionGroup":{"operator":"AND","conditions":[],"groups":[]}},null]],"mainNodeIndex":1} @@ -6338,27 +6064,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -6541,27 +6248,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -6643,27 +6331,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -6746,27 +6415,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -6837,27 +6487,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -8458,27 +8089,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -8556,27 +8168,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -8654,27 +8247,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -8752,27 +8326,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -8850,27 +8405,9 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - + false -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -8948,27 +8485,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -9046,27 +8564,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -9144,27 +8643,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -9242,27 +8722,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -10828,6 +10289,7 @@ 5474580e-080e-4895-9772-18cf6fdbf1ed ВК Временные меры, введенные в текущем ВК true + false false @@ -11770,27 +11232,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -11986,27 +11429,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -12084,27 +11508,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -12188,27 +11593,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -12280,27 +11666,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -12504,7 +11871,6 @@ 9bb72b2d-518c-4726-908c-8f169b888d21 ГК Первый ряд true - false false @@ -12529,7 +11895,6 @@ b4179cab-5033-4b6d-84ab-b86a09246de4 ГК Заявления, поступившие из ЕПГУ true - false false @@ -13756,27 +13121,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -13945,27 +13291,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -14043,27 +13370,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -14140,27 +13448,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -14237,27 +13526,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -14334,27 +13604,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -14431,27 +13682,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -14529,27 +13761,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -14632,27 +13845,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -14723,27 +13917,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -14808,27 +13983,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -14899,27 +14055,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -14990,27 +14127,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -15081,27 +14199,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -15172,27 +14271,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -16319,27 +15399,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -16522,27 +15583,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -16624,27 +15666,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -16727,27 +15750,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -16818,27 +15822,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -17822,27 +16807,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -18016,27 +16982,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -18119,27 +17066,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -19317,27 +18245,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -19498,27 +18407,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -19595,27 +18485,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -19692,27 +18563,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -19795,27 +18647,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -19886,27 +18719,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -19977,27 +18791,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -20549,6 +19344,7 @@ fbe393b4-f772-4a89-b444-a0272d2bcd4a ГК График и показатели true +false false @@ -21657,27 +20453,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -21755,27 +20532,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -21853,27 +20611,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -21951,27 +20690,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -22049,27 +20769,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -22147,27 +20848,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -22245,27 +20927,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -22343,27 +21006,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -22441,27 +21085,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -22545,27 +21170,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -22637,27 +21243,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -22729,27 +21316,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -22821,27 +21389,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -22913,27 +21462,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -23005,27 +21535,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -23097,27 +21608,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -23189,27 +21681,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -23281,27 +21754,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -24034,7 +22488,6 @@ fcdc61b7-bbbe-42cf-b2ab-498f9b30704f Повестки, подписанные в текущем ВК true - false false @@ -24760,27 +23213,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -24963,27 +23397,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -25065,27 +23480,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -25168,27 +23564,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -25259,27 +23636,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -25492,7 +23850,6 @@ 5225591e-a5bb-4473-9fa9-d11dd162494a ВК Личное посещение ВК true - false false @@ -25529,7 +23886,6 @@ 93df9d35-d84b-4433-a119-877066f5ea8c Vbox_50% true - false false @@ -25761,27 +24117,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -26954,27 +25291,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -27135,27 +25453,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -27232,27 +25531,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -27329,27 +25609,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -27432,27 +25693,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -27523,27 +25765,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -27614,27 +25837,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -29284,27 +27488,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -29382,27 +27567,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -29480,27 +27646,9 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - + false -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -29578,27 +27726,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -29676,27 +27805,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -29774,27 +27884,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -29872,27 +27963,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -29970,27 +28042,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -30068,27 +28121,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -30172,27 +28206,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -30264,27 +28279,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -30356,27 +28352,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -30448,29 +28425,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -30542,27 +28498,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -30634,27 +28571,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -30726,27 +28644,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -30818,27 +28717,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -30910,27 +28790,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -31920,27 +29781,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -32534,7 +30376,7 @@ label - "По отсутсвию СНИЛС" + "По несоответствию сведений ЕРВУ и ручной ввод (редактирование)" @@ -32833,27 +30675,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -33036,27 +30859,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -33138,27 +30942,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -33242,27 +31027,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -33333,27 +31099,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -33522,7 +31269,7 @@ ba24d307-0b91-4299-ba82-9d0b52384ff2 311fc385-a4a7-4826-ac9e-3d2c9a520f84 - По отсутсвию СНИЛС + По несоответствию сведений ЕРВУ и ручной ввод (редактирование) false false @@ -33530,7 +31277,7 @@ initialValue - "По отсутсвию СНИЛС" + "По несоответствию сведений ЕРВУ и ручной ввод (редактирование)" @@ -33542,7 +31289,7 @@ tooltip - "По отсутсвию СНИЛС" + "По несоответствию сведений ЕРВУ и ручной ввод (редактирование)" diff --git a/resources/src/main/resources/business-model/ervu-business-metrics/register_subpoenas.page b/resources/src/main/resources/business-model/ervu-business-metrics/register_subpoenas.page index 5a46fb8..36e6d3f 100644 --- a/resources/src/main/resources/business-model/ervu-business-metrics/register_subpoenas.page +++ b/resources/src/main/resources/business-model/ervu-business-metrics/register_subpoenas.page @@ -133,6 +133,18 @@ + + treeValuesCacheStrategy + +"BY_CUSTOM_NAME" + + + + treeValuesCustomName + +"treeSelectionCache" + + @@ -1821,6 +1833,7 @@ 80ab4312-6e8e-4f5f-83a7-376cab791eb7 ГК График и показатели true + false false @@ -2450,27 +2463,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -2552,27 +2546,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -2654,27 +2629,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -2756,27 +2712,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -2859,27 +2796,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -2950,27 +2868,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -3041,27 +2940,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -3132,27 +3012,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -4984,27 +4845,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -5082,27 +4924,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -5179,27 +5002,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -5276,27 +5080,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -5373,27 +5158,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -5470,27 +5236,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -5567,27 +5314,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -5670,27 +5398,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -5761,27 +5470,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -5853,27 +5543,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -5944,27 +5615,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -6035,27 +5687,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -6126,27 +5759,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -6217,27 +5831,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -7623,27 +7218,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -7725,27 +7301,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -7827,27 +7384,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -7929,27 +7467,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -8025,27 +7544,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -8128,27 +7628,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -8219,27 +7700,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -8310,27 +7772,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -8401,27 +7844,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -8486,27 +7910,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -8817,6 +8222,7 @@ d1069ca8-24fc-4368-9465-cc0a70928fae ГК Третий ряд true + false false @@ -9803,27 +9209,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -9905,27 +9292,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -10007,27 +9375,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -10110,27 +9459,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -10201,27 +9531,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -10292,27 +9603,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -10557,6 +9849,7 @@ 0c521101-939d-495d-98a5-952f9ee80973 ВК Решения о снятии временной меры true + false false @@ -11519,27 +10812,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -11621,27 +10895,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -11723,27 +10978,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -11826,27 +11062,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -11917,27 +11134,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -12008,27 +11206,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -12275,7 +11454,6 @@ 8ccf3815-9f26-4892-9c46-f78f72f8b019 ГК Четвертый ряд true - false false @@ -12595,7 +11773,6 @@ 4574ec29-dda1-444d-9bb1-683ed80b03ce ГК График и показатели true - false false @@ -13269,27 +12446,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -13371,27 +12529,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -13473,27 +12612,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -13576,27 +12696,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -13667,27 +12768,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -13758,27 +12840,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -16580,27 +15643,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -16678,27 +15722,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -16776,27 +15801,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -16874,27 +15880,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -16972,27 +15959,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -17070,27 +16038,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -17168,27 +16117,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -17266,27 +16196,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -17364,27 +16275,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -17474,27 +16366,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -17572,27 +16445,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -17670,27 +16524,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -17768,27 +16603,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -17866,27 +16682,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -17964,27 +16761,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -18062,27 +16840,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -18160,27 +16919,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -18258,27 +16998,9 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - + false - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter diff --git a/resources/src/main/resources/business-model/ervu-business-metrics/register_subpoenas_subsystem.page b/resources/src/main/resources/business-model/ervu-business-metrics/register_subpoenas_subsystem.page index f328cf2..fe6ff3c 100644 --- a/resources/src/main/resources/business-model/ervu-business-metrics/register_subpoenas_subsystem.page +++ b/resources/src/main/resources/business-model/ervu-business-metrics/register_subpoenas_subsystem.page @@ -123,6 +123,18 @@ + + treeValuesCacheStrategy + +"BY_CUSTOM_NAME" + + + + treeValuesCustomName + +"treeSelectionCache" + + @@ -1789,27 +1801,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -2735,27 +2728,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -2939,27 +2913,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -3041,27 +2996,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -3143,27 +3079,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -3245,27 +3162,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -3348,27 +3246,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -3439,27 +3318,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -3530,27 +3390,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -3621,27 +3462,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -3965,6 +3787,7 @@ 3ec749dd-dae8-49c7-9e71-6c00bac707a4 ВК Для прохождения призывной службы true + false false @@ -4863,27 +4686,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -4965,27 +4769,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -5067,27 +4852,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -5164,27 +4930,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -5266,27 +5013,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -5368,27 +5096,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -5465,27 +5174,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -5567,27 +5257,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -5669,27 +5340,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -5772,27 +5424,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -5863,27 +5496,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -5954,27 +5568,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -6045,27 +5640,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -6136,27 +5712,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -6227,27 +5784,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -6318,27 +5856,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -6409,27 +5928,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -6500,27 +6000,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -7882,27 +7363,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -7984,27 +7446,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -8086,27 +7529,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -8183,27 +7607,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -8285,27 +7690,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -8387,27 +7773,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -8484,27 +7851,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -8586,27 +7934,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -8688,27 +8017,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -8791,27 +8101,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -8882,27 +8173,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -8973,27 +8245,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -9064,27 +8317,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -9155,27 +8389,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -9246,27 +8461,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -9337,27 +8533,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -9428,27 +8605,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -9519,27 +8677,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -10928,27 +10067,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -11030,27 +10150,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -11132,27 +10233,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -11229,27 +10311,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -11331,27 +10394,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -11433,27 +10477,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -11530,27 +10555,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -11632,27 +10638,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -11734,27 +10721,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -11837,27 +10805,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -11928,27 +10877,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -12019,27 +10949,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -12110,27 +11021,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -12201,27 +11093,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -12292,27 +11165,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -12383,27 +11237,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -12474,27 +11309,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -12565,27 +11381,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -13948,27 +12745,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -14050,27 +12828,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -14152,27 +12911,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -14249,27 +12989,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -14351,27 +13072,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -14453,27 +13155,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -14550,27 +13233,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -14652,27 +13316,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -14754,27 +13399,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -14857,27 +13483,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -14948,27 +13555,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -15039,27 +13627,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -15130,27 +13699,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -15221,27 +13771,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -15312,27 +13843,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -15403,27 +13915,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -15494,27 +13987,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -15585,27 +14059,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -16070,6 +14525,7 @@ 0f5ecbb9-36e5-41f1-b498-34817da67f69 ГК Четвертый ряд true + false false @@ -16994,27 +15450,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -17096,27 +15533,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -17198,27 +15616,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -17295,27 +15694,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -17397,27 +15777,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -17499,27 +15860,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -17596,27 +15938,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -17698,27 +16021,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -17800,27 +16104,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -17903,27 +16188,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -17994,27 +16260,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -18085,27 +16332,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -18176,27 +16404,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -18267,27 +16476,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -18358,27 +16548,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -18449,27 +16620,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -18540,27 +16692,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -18631,27 +16764,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -20236,27 +18350,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -20438,27 +18533,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -20540,27 +18616,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -20642,27 +18699,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -20744,27 +18782,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -20847,27 +18866,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -20938,27 +18938,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -21029,27 +19010,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -21120,27 +19082,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -21387,7 +19330,7 @@ ba24d307-0b91-4299-ba82-9d0b52384ff2 871c8d04-a807-4f28-b139-9ed172439bdd - В т.ч. сформировано выписок по состоящим на учете + В т.ч. сформировано выписок по не состоящим на учете false false @@ -21395,7 +19338,7 @@ initialValue - "В т.ч. сформировано выписок по состоящим на учете" + "В т.ч. сформировано выписок по не состоящим на учете" @@ -21407,7 +19350,7 @@ tooltip - "В т.ч. сформировано выписок по состоящим на учете" + "В т.ч. сформировано выписок по не состоящим на учете" diff --git a/resources/src/main/resources/business-model/ervu-business-metrics/removal_military_registration.page b/resources/src/main/resources/business-model/ervu-business-metrics/removal_military_registration.page index 762331d..c2adf4d 100644 --- a/resources/src/main/resources/business-model/ervu-business-metrics/removal_military_registration.page +++ b/resources/src/main/resources/business-model/ervu-business-metrics/removal_military_registration.page @@ -124,6 +124,18 @@ + + treeValuesCacheStrategy + +"BY_CUSTOM_NAME" + + + + treeValuesCustomName + +"treeSelectionCache" + + @@ -3835,27 +3847,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -4038,27 +4031,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -4140,27 +4114,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -4244,27 +4199,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -4335,27 +4271,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -4593,6 +4510,1406 @@ + + false + + + + + 9d1b5af1-0b8f-4b1b-b9a5-c2e6acf72d91 + 9b9f2335-d26e-48af-b079-9d49e3b7f1f6 + ВК Решения на подписании + true + false + false + + + + cssClasses + + + + "block-section" + + + + + + style + + + + width + + "50%" + + + + + + + + +true + + + service + + + + loadDao + + + +graph + + {"conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"nodeByIndex":{"0":{"tableName":"recruitment","schemaName":"metrics","x":127.0,"y":261.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[{"column":{"schema":"metrics","table":"recruitment","entity":"recruitment","name":"schema"},"operation":"EQUAL","typeCode":"CONST","values":["\"Ministry\""]}],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"1":{"tableName":"decisions_signing","schemaName":"deregistration","x":288.0,"y":168.0,"alias":"decisions_signing","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"2":{"tableName":"view_decisions_signing","schemaName":"deregistration","x":509.0,"y":258.0,"alias":"view_decisions_signing","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"nodes":[{"tableName":"recruitment","schemaName":"metrics","x":127.0,"y":261.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[{"column":{"schema":"metrics","table":"recruitment","entity":"recruitment","name":"schema"},"operation":"EQUAL","typeCode":"CONST","values":["\"Ministry\""]}],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},{"tableName":"decisions_signing","schemaName":"deregistration","x":288.0,"y":168.0,"alias":"decisions_signing","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},{"tableName":"view_decisions_signing","schemaName":"deregistration","x":509.0,"y":258.0,"alias":"view_decisions_signing","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}],"nodeByEntityName":{"decisions_signing":{"tableName":"decisions_signing","schemaName":"deregistration","x":288.0,"y":168.0,"alias":"decisions_signing","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"view_decisions_signing":{"tableName":"view_decisions_signing","schemaName":"deregistration","x":509.0,"y":258.0,"alias":"view_decisions_signing","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"recruitment":{"tableName":"recruitment","schemaName":"metrics","x":127.0,"y":261.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[{"column":{"schema":"metrics","table":"recruitment","entity":"recruitment","name":"schema"},"operation":"EQUAL","typeCode":"CONST","values":["\"Ministry\""]}],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"matrix":[[null,null,null],[{"refOnEntityName":"decisions_signing","refToEntityName":"recruitment","refToColumns":[{"schema":"metrics","table":"recruitment","entity":"recruitment","name":"idm_id"}],"refOnColumns":[{"schema":"deregistration","table":"decisions_signing","entity":"decisions_signing","name":"recruitment_id"}],"required":false,"cyclic":false,"conditionGroup":{"operator":"AND","conditions":[],"groups":[]}},null,null],[null,{"refOnEntityName":"view_decisions_signing","refToEntityName":"decisions_signing","refToColumns":[{"schema":"deregistration","table":"decisions_signing","entity":"decisions_signing","name":"decisions_signing_id"}],"refOnColumns":[{"schema":"deregistration","table":"view_decisions_signing","entity":"view_decisions_signing","name":"decisions_signing_id"}],"required":false,"cyclic":false,"conditionGroup":{"operator":"AND","conditions":[],"groups":[]}},null]],"mainNodeIndex":1} + + + + + DefaultLoadDao + database.dao + + + + + + ProjectDefaultValueLoaderServiceImpl + service.loading + + + + + + +true + + +true + + + eventRefs + + + + + + behavior + +{"objectId":"bdc2c41b-2309-473b-8baf-9021654b2d63","packageName":"component.field","className":"DropdownTreeViewComponent","type":"TS"} + + + + propertyName + +"valueChangeEvent" + + + + + + + + + + behavior + +{"objectId":"9b9f2335-d26e-48af-b079-9d49e3b7f1f6","packageName":"custom","className":"ContainerLoader","type":"TS"} + + + + propertyName + +"beforeStart" + + + + + + + + + loadParams + + + + + + objectValue + + + + argument + + null + + + + behavior + + {"objectId":"bdc2c41b-2309-473b-8baf-9021654b2d63","packageName":"component.field","className":"DropdownTreeViewComponent","type":"TS"} + + + + method + + "getBusinessId" + + + + + + + + + + + + + +true + + + containerValueLoaderService + + + + loadDao + + + +graph + + {"conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"nodeByIndex":{"0":{"tableName":"recruitment","schemaName":"metrics","x":78.0,"y":185.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"1":{"tableName":"decisions_signing","schemaName":"deregistration","x":253.0,"y":64.0,"alias":"decisions_signing","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"2":{"tableName":"view_decisions_signing","schemaName":"deregistration","x":472.0,"y":180.0,"alias":"view_decisions_signing","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"nodes":[{"tableName":"recruitment","schemaName":"metrics","x":78.0,"y":185.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},{"tableName":"decisions_signing","schemaName":"deregistration","x":253.0,"y":64.0,"alias":"decisions_signing","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},{"tableName":"view_decisions_signing","schemaName":"deregistration","x":472.0,"y":180.0,"alias":"view_decisions_signing","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}],"nodeByEntityName":{"decisions_signing":{"tableName":"decisions_signing","schemaName":"deregistration","x":253.0,"y":64.0,"alias":"decisions_signing","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"view_decisions_signing":{"tableName":"view_decisions_signing","schemaName":"deregistration","x":472.0,"y":180.0,"alias":"view_decisions_signing","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"recruitment":{"tableName":"recruitment","schemaName":"metrics","x":78.0,"y":185.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"matrix":[[null,null,null],[{"refOnEntityName":"decisions_signing","refToEntityName":"recruitment","refToColumns":[{"schema":"metrics","table":"recruitment","entity":"recruitment","name":"idm_id"}],"refOnColumns":[{"schema":"deregistration","table":"decisions_signing","entity":"decisions_signing","name":"recruitment_id"}],"required":false,"cyclic":false,"conditionGroup":{"operator":"AND","conditions":[],"groups":[]}},null,null],[null,{"refOnEntityName":"view_decisions_signing","refToEntityName":"decisions_signing","refToColumns":[{"schema":"deregistration","table":"decisions_signing","entity":"decisions_signing","name":"decisions_signing_id"}],"refOnColumns":[{"schema":"deregistration","table":"view_decisions_signing","entity":"view_decisions_signing","name":"decisions_signing_id"}],"required":false,"cyclic":false,"conditionGroup":{"operator":"AND","conditions":[],"groups":[]}},null]],"mainNodeIndex":1} + + + + + DefaultLoadDao + database.dao + + + + + replacePkColumn + + {"schema":"metrics","table":"recruitment","entity":"recruitment","name":"idm_id"} + + + + + ContainerByPkValueLoaderServiceImpl + service.loading + + + + + + +ba24d307-0b91-4299-ba82-9d0b52384ff2 +4683d483-4bac-4901-9d3a-bc06399e79c8 +Решения на подписании +false +false +false + + + + cssClasses + + + + "section-header" + + + + + + + initialValue + + "Решения на подписании" + + + + label + + null + + + + + + + + + false + + + +d7d54cfb-26b5-4dba-b56f-b6247183c24d +4ef60f90-d706-49c0-bf6f-ac990c4a0086 +ГК График и показатели +true +false + + + + + + + 9d1b5af1-0b8f-4b1b-b9a5-c2e6acf72d91 + 5ddc2fed-b799-4c51-a0e6-9c7bc5db91e2 + ВК График + true + false + + + + style + + + + width + +null + + + + + + + + + + + + + 85eb12aa-f878-4e29-b109-9d31af0fefb4 + 37e46780-b17b-418e-9463-635b98cd42a7 + График бублик 3 + true + false + false + + false + false + + + + + chartService + + + +chartType + + "DOUGHNUT" + + + +dataSetService + + + + centerLabelConfigurations + + + + + +aggregationFunction + + "SUM" + + + +font + + + + family + + "GolosUI" + + + + size + + 25 + + + + weight + + "550" + + + + + + +loadDao + + + + graph + + {"conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"nodeByIndex":{"0":{"tableName":"recruitment","schemaName":"metrics","x":35.0,"y":158.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"1":{"tableName":"decisions_signing","schemaName":"deregistration","x":231.0,"y":32.0,"alias":"decisions_signing","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"2":{"tableName":"view_decisions_signing","schemaName":"deregistration","x":400.0,"y":158.0,"alias":"view_decisions_signing","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"nodes":[{"tableName":"recruitment","schemaName":"metrics","x":35.0,"y":158.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},{"tableName":"decisions_signing","schemaName":"deregistration","x":231.0,"y":32.0,"alias":"decisions_signing","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},{"tableName":"view_decisions_signing","schemaName":"deregistration","x":400.0,"y":158.0,"alias":"view_decisions_signing","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}],"nodeByEntityName":{"decisions_signing":{"tableName":"decisions_signing","schemaName":"deregistration","x":231.0,"y":32.0,"alias":"decisions_signing","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"view_decisions_signing":{"tableName":"view_decisions_signing","schemaName":"deregistration","x":400.0,"y":158.0,"alias":"view_decisions_signing","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"recruitment":{"tableName":"recruitment","schemaName":"metrics","x":35.0,"y":158.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"matrix":[[null,null,null],[{"refOnEntityName":"decisions_signing","refToEntityName":"recruitment","refToColumns":[{"schema":"metrics","table":"recruitment","entity":"recruitment","name":"idm_id"}],"refOnColumns":[{"schema":"deregistration","table":"decisions_signing","entity":"decisions_signing","name":"recruitment_id"}],"required":false,"cyclic":false,"conditionGroup":{"operator":"AND","conditions":[],"groups":[]}},null,null],[null,{"refOnEntityName":"view_decisions_signing","refToEntityName":"decisions_signing","refToColumns":[{"schema":"deregistration","table":"decisions_signing","entity":"decisions_signing","name":"decisions_signing_id"}],"refOnColumns":[{"schema":"deregistration","table":"view_decisions_signing","entity":"view_decisions_signing","name":"decisions_signing_id"}],"required":false,"cyclic":false,"conditionGroup":{"operator":"AND","conditions":[],"groups":[]}},null]],"mainNodeIndex":1} + + + + + DefaultLoadDao + database.dao + + + + +valueColumn + + {"schema":"deregistration","table":"view_decisions_signing","entity":"view_decisions_signing","name":"count_arrived_all"} + + + + + DefaultRoundLabelConfiguration + ervu_business_metrics.component.chart.label + + + + + + + + dataSetConfigurations + + + + + +columnAggregationDataSet + + + + aggregationData + + + + + +aggregationColumn + + {"schema":"deregistration","table":"decisions_signing","entity":"decisions_signing","name":"count_arrived_death_reason"} + + + +aggregationFunction + + "SUM" + + + +backgroundColor + + "#AB8A99FF" + + + +label + + "По причине смерти" + + + + + + + + + +aggregationColumn + + {"schema":"deregistration","table":"decisions_signing","entity":"decisions_signing","name":"count_arrived_age_limit"} + + + +aggregationFunction + + "SUM" + + + +backgroundColor + + "#729AC9FF" + + + +label + + "По причине наступления предельного возраста *" + + + + + + + + + + + + dataLabel + + " " + + + + + + +cutout + + "80%" + + + +datasetType + + "COLUMN_AGGREGATION" + + + +loadDao + + + + graph + + {"conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"nodeByIndex":{"0":{"tableName":"recruitment","schemaName":"metrics","x":157.0,"y":176.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"1":{"tableName":"decisions_signing","schemaName":"deregistration","x":430.0,"y":127.0,"alias":"decisions_signing","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"nodes":[{"tableName":"recruitment","schemaName":"metrics","x":157.0,"y":176.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},{"tableName":"decisions_signing","schemaName":"deregistration","x":430.0,"y":127.0,"alias":"decisions_signing","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}],"nodeByEntityName":{"decisions_signing":{"tableName":"decisions_signing","schemaName":"deregistration","x":430.0,"y":127.0,"alias":"decisions_signing","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"recruitment":{"tableName":"recruitment","schemaName":"metrics","x":157.0,"y":176.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"matrix":[[null,null],[{"refOnEntityName":"decisions_signing","refToEntityName":"recruitment","refToColumns":[{"schema":"metrics","table":"recruitment","entity":"recruitment","name":"idm_id"}],"refOnColumns":[{"schema":"deregistration","table":"decisions_signing","entity":"decisions_signing","name":"recruitment_id"}],"required":false,"cyclic":false,"conditionGroup":{"operator":"AND","conditions":[],"groups":[]}},null]],"mainNodeIndex":1} + + + + + DefaultLoadDao + database.dao + + + + +radius + + "80%" + + + + + + + + + + + + RoundSingleChartDataSetService + ervu_business_metrics.component.chart + + + + + + + + + + + ErvuChartV2 + ervu_business_metrics.component.chart + + true + + + cssClasses + + + +"graph-donut" + + + + + + legend + + + +display + + false + + + + + + + loadOnStart + + true + + + + + + + RoundArcCornersChartPlugin + ervu_business_metrics.component.chart.plugin + + true + true + + + + FilterReferences + ervu_business_metrics.component.filter + + true + true + + + references + + + + + + column + + "idm_id" + + + + dataConverter + + + + + + filterComponent + + {"objectId":"bdc2c41b-2309-473b-8baf-9021654b2d63","packageName":"component.rpc","className":"TreeItemRpcService","type":"JAVA"} + + + + table + + "recruitment" + + + + + StaticFilterReference + ervu_business_metrics.component.filter + + + + + + + + + + FilterGroupDelegate + ervu_business_metrics.component.filter + + true + true + + + filterComponents + + + +{"objectId":"bdc2c41b-2309-473b-8baf-9021654b2d63","packageName":"component.filter","className":"FilterComponent","type":"TS"} + + + + + + + liveFilter + + true + + + + triggerOnStart + + true + + + + + + + DoughnutCenterLabelsPlugin + ervu_business_metrics.component.chart.plugin + + true + true + + + formatters + + + + + NumberToLocalStringLabelFormatter + ervu_business_metrics.component.chart.plugin.formatters + + + + + + + + + + + 9d1b5af1-0b8f-4b1b-b9a5-c2e6acf72d91 + e4dd1e7e-2169-4d53-88f9-cf7584a8b346 + Вертикальный контейнер + true + false + + + + cssClasses + + + + "graph-legend-right" + + + + + + + + + + + + d7d54cfb-26b5-4dba-b56f-b6247183c24d + 3023a17d-c0ab-429e-a2a7-f134d29b7641 + ГК Показатель + true + false + + + + cssClasses + + + +"subhead" + + + + + + + + + + + + ba24d307-0b91-4299-ba82-9d0b52384ff2 + e5597dfe-09c5-4a6f-8834-88fa4089022e + 5 000 + false + false + + + + cssClasses + + + + + + initialValue + + null + + + + textFormatter + + +NumberToLocalStringFormatter +ervu_business_metrics.formatter + + + + + + + + + + defaultValueColumn + + {"schema":"deregistration","table":"view_decisions_signing","entity":"view_decisions_signing","name":"count_arrived_all"} + + + + loadType + + "BY_COLUMN" + + + + + + + + loadType + + "BY_COLUMN" + + + + valueByEventColumn + + {"schema":"deregistration","table":"view_decisions_signing","entity":"view_decisions_signing","name":"count_arrived_all"} + + + + + + false + + + + 9d1b5af1-0b8f-4b1b-b9a5-c2e6acf72d91 + bcac2dc1-ad26-4a0f-9fc7-4dcb25b8f32c + Вертикальный контейнер + true + false + + + + cssClasses + + + + "text-wrap" + + + + + + + + + + + + ba24d307-0b91-4299-ba82-9d0b52384ff2 + 0572ae8f-d440-4590-8454-9e4a221241f4 + Решений на подписании, в т.ч.: + false + false + + + + initialValue + +"Решений на подписании, в т.ч.:" + + + + label + +null + + + + tooltip + +"Решений на подписании, в т.ч.:" + + + + + + + + + false + + + + + + d7d54cfb-26b5-4dba-b56f-b6247183c24d + 9cf94285-32ce-4fb9-8e3b-d96015cb6325 + ГК Показатели + true + false + + + + cssClasses + + + + + + + + + + + + 9d1b5af1-0b8f-4b1b-b9a5-c2e6acf72d91 + 1f60418c-29af-4463-ad99-355edc64e24d + Vbox% + true + false + + + + cssClasses + + + + + + + + + + + + ba24d307-0b91-4299-ba82-9d0b52384ff2 + af47b55e-1551-422a-b7ee-fa5f8341049f + 60% + false + false + + + + cssClasses + + + + "legend-col-purple" + + + + + "text-invert" + + + + + + initialValue + +null + + + + label + +"%" + + + + textFormatter + + + NumberToLocalStringFormatter + ervu_business_metrics.formatter + + + + + + + + + + defaultValueColumn + +{"schema":"deregistration","table":"view_decisions_signing","entity":"view_decisions_signing","name":"percent_arrived_death_reason"} + + + + loadType + +"BY_COLUMN" + + + + + + + + loadType + +"BY_COLUMN" + + + + valueByEventColumn + +{"schema":"deregistration","table":"view_decisions_signing","entity":"view_decisions_signing","name":"percent_arrived_death_reason"} + + + + + + false + + + + ba24d307-0b91-4299-ba82-9d0b52384ff2 + d28bdab2-2f9b-4b72-9d14-ef17eed55815 + 40% + false + false + + + + cssClasses + + + + "legend-col-dk-blue" + + + + + "text-invert" + + + + + + initialValue + +null + + + + label + +"%" + + + + textFormatter + + + NumberToLocalStringFormatter + ervu_business_metrics.formatter + + + + + + + + + + defaultValueColumn + +{"schema":"deregistration","table":"view_decisions_signing","entity":"view_decisions_signing","name":"percent_arrived_age_limit"} + + + + loadType + +"BY_COLUMN" + + + + + + + + loadType + +"BY_COLUMN" + + + + valueByEventColumn + +{"schema":"deregistration","table":"view_decisions_signing","entity":"view_decisions_signing","name":"percent_arrived_age_limit"} + + + + + + false + + + + + 9d1b5af1-0b8f-4b1b-b9a5-c2e6acf72d91 + 7f2ef3eb-c73b-47d5-b24c-0f09b58f2b5d + VboxValue + true + false + + + + + + + ba24d307-0b91-4299-ba82-9d0b52384ff2 + 13551a0d-3bcb-4469-a738-235f2d0c23ca + 3 000 + false + false + false + + + + cssClasses + + + + "pull-right" + + + + + + initialValue + +null + + + + textFormatter + + + NumberToLocalStringFormatter + ervu_business_metrics.formatter + + + + + + + + + + defaultValueColumn + +{"schema":"deregistration","table":"decisions_signing","entity":"decisions_signing","name":"count_arrived_death_reason"} + + + + loadType + +"BY_COLUMN" + + + + + + + + loadType + +"BY_COLUMN" + + + + valueByEventColumn + +{"schema":"deregistration","table":"decisions_signing","entity":"decisions_signing","name":"count_arrived_death_reason"} + + + + + + false + + + + ba24d307-0b91-4299-ba82-9d0b52384ff2 + b7660e54-c59d-4b4d-9f92-7596cf9690ac + 2 000 + false + false + + + + cssClasses + + + + "pull-right" + + + + + + initialValue + +null + + + + textFormatter + + + NumberToLocalStringFormatter + ervu_business_metrics.formatter + + + + + + + + + + defaultValueColumn + +{"schema":"deregistration","table":"decisions_signing","entity":"decisions_signing","name":"count_arrived_age_limit"} + + + + loadType + +"BY_COLUMN" + + + + + + + + loadType + +"BY_COLUMN" + + + + valueByEventColumn + +{"schema":"deregistration","table":"decisions_signing","entity":"decisions_signing","name":"count_arrived_age_limit"} + + + + + + false + + + + + 9d1b5af1-0b8f-4b1b-b9a5-c2e6acf72d91 + ccc3e3b8-89bf-43b5-9d8a-b3eceb2f5a29 + ВК Показатели + true + false + + + + cssClasses + + + + "text-wrap" + + + + + + + style + + + + width + + null + + + + + + + + + + + + + d7d54cfb-26b5-4dba-b56f-b6247183c24d + a60e391d-0616-4afd-96a6-8bb86ca5295f + ГК Показатель + true + true + + + d7d54cfb-26b5-4dba-b56f-b6247183c24d + 26f60873-7ed5-42ff-8d89-9202723989f7 + ГК Показатель + true + true + + + d7d54cfb-26b5-4dba-b56f-b6247183c24d + 23c5d94a-1fc4-4517-a50a-503c1b7e9bed + ГК Показатель + true + true + + + d7d54cfb-26b5-4dba-b56f-b6247183c24d + 26191847-c1ac-4328-9ee3-e57123595e69 + ГК Показатель + true + true + + + d7d54cfb-26b5-4dba-b56f-b6247183c24d + 91d938a2-28fe-4b39-9004-7dc154dca10b + Горизонтальный контейнер + true + true + + + d7d54cfb-26b5-4dba-b56f-b6247183c24d + 73fcd60f-94f9-42d3-9395-568ed4862f89 + Горизонтальный контейнер + true + true + + + d7d54cfb-26b5-4dba-b56f-b6247183c24d + c01d79e5-57c4-42f9-b04b-7c0555ea2ce0 + Горизонтальный контейнер + true + true + + + ba24d307-0b91-4299-ba82-9d0b52384ff2 + 9a6da3c6-4e96-49aa-94e9-6ddb035b63cc + По причине смерти + false + false + + + + initialValue + +"По причине смерти" + + + + label + +null + + + + tooltip + +"По причине смерти" + + + + + + + + + false + + + + ba24d307-0b91-4299-ba82-9d0b52384ff2 + 937d2ab5-8cb9-41b2-bc78-af3362f556bb + По причине наступления предельного возраста * + false + false + + + + initialValue + +"По причине наступления предельного возраста *" + + + + label + +null + + + + tooltip + +"По причине наступления предельного возраста *" + + + + + + + + + false + + + + + + + d7d54cfb-26b5-4dba-b56f-b6247183c24d + 9cf94285-32ce-4fb9-8e3b-d96015cb6325 + ГК Показатели + true + true + + + +ba24d307-0b91-4299-ba82-9d0b52384ff2 +a1bd5686-d5af-4f49-93ad-6fdb55f633c1 +* предельный возраст: 70 лет для мужчин и 50 лет для женщин +false +false + + + + initialValue + + "* предельный возраст: 70 лет для мужчин и 50 лет для женщин" + + + + tooltip + + null + + + + + + + false @@ -4630,6 +5947,12 @@ + + visible + + false + + @@ -5331,27 +6654,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -5534,27 +6838,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -5636,27 +6921,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -5740,27 +7006,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -5831,27 +7078,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -6100,6 +7328,7 @@ 1e5b6f27-261c-46ae-a6d9-e28b5e588328 ГК Второй ряд true + false false @@ -6145,7 +7374,7 @@ height - "70%" + null @@ -7523,27 +8752,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -7621,27 +8831,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -7719,27 +8910,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -7817,27 +8989,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -7915,27 +9068,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -8013,27 +9147,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -8111,27 +9226,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -8209,27 +9305,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -8307,27 +9384,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -8411,27 +9469,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -8503,27 +9542,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -8595,27 +9615,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -8687,27 +9688,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -8779,27 +9761,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -8871,27 +9834,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -8963,27 +9907,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -9055,27 +9980,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -9147,27 +10053,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -9888,14 +10775,24 @@ - + 9d1b5af1-0b8f-4b1b-b9a5-c2e6acf72d91 - 3f20cd01-58d4-4c34-9857-9119b8d9f56a - Vbox + 7a6667cb-c585-4de9-a62f-54a77b1246c2 + ГК Сформированные решения о снятии с ВУ true false + + cssClasses + + + + "block-section" + + + + style @@ -9911,269 +10808,306 @@ - - - - - -9d1b5af1-0b8f-4b1b-b9a5-c2e6acf72d91 -9b9f2335-d26e-48af-b079-9d49e3b7f1f6 -ВК Решения на подписании -true -false + +true + + + service + + + + loadDao + + + +graph + + {"conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"nodeByIndex":{"0":{"tableName":"recruitment","schemaName":"metrics","x":162.0,"y":260.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[{"column":{"schema":"metrics","table":"recruitment","entity":"recruitment","name":"schema"},"operation":"EQUAL","typeCode":"CONST","values":["\"Ministry\""]}],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"1":{"tableName":"solutions","schemaName":"deregistration","x":383.0,"y":166.0,"alias":"solutions","conditionGroup":{"operator":"AND","conditions":[{"column":{"schema":"deregistration","table":"solutions","entity":"solutions","name":"info_source"},"operation":"EQUAL","typeCode":"CONST","values":["\"GIR_VU\""]}],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"2":{"tableName":"view_solutions","schemaName":"deregistration","x":630.0,"y":198.0,"alias":"view_solutions","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"nodes":[{"tableName":"recruitment","schemaName":"metrics","x":162.0,"y":260.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[{"column":{"schema":"metrics","table":"recruitment","entity":"recruitment","name":"schema"},"operation":"EQUAL","typeCode":"CONST","values":["\"Ministry\""]}],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},{"tableName":"solutions","schemaName":"deregistration","x":383.0,"y":166.0,"alias":"solutions","conditionGroup":{"operator":"AND","conditions":[{"column":{"schema":"deregistration","table":"solutions","entity":"solutions","name":"info_source"},"operation":"EQUAL","typeCode":"CONST","values":["\"GIR_VU\""]}],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},{"tableName":"view_solutions","schemaName":"deregistration","x":630.0,"y":198.0,"alias":"view_solutions","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}],"nodeByEntityName":{"recruitment":{"tableName":"recruitment","schemaName":"metrics","x":162.0,"y":260.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[{"column":{"schema":"metrics","table":"recruitment","entity":"recruitment","name":"schema"},"operation":"EQUAL","typeCode":"CONST","values":["\"Ministry\""]}],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"solutions":{"tableName":"solutions","schemaName":"deregistration","x":383.0,"y":166.0,"alias":"solutions","conditionGroup":{"operator":"AND","conditions":[{"column":{"schema":"deregistration","table":"solutions","entity":"solutions","name":"info_source"},"operation":"EQUAL","typeCode":"CONST","values":["\"GIR_VU\""]}],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"view_solutions":{"tableName":"view_solutions","schemaName":"deregistration","x":630.0,"y":198.0,"alias":"view_solutions","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"matrix":[[null,null,null],[{"refOnEntityName":"solutions","refToEntityName":"recruitment","refToColumns":[{"schema":"metrics","table":"recruitment","entity":"recruitment","name":"idm_id"}],"refOnColumns":[{"schema":"deregistration","table":"solutions","entity":"solutions","name":"recruitment_id"}],"required":false,"cyclic":false,"conditionGroup":{"operator":"AND","conditions":[],"groups":[]}},null,null],[null,{"refOnEntityName":"view_solutions","refToEntityName":"solutions","refToColumns":[{"schema":"deregistration","table":"solutions","entity":"solutions","name":"solutions_id"}],"refOnColumns":[{"schema":"deregistration","table":"view_solutions","entity":"view_solutions","name":"solutions_id"}],"required":false,"cyclic":false,"conditionGroup":{"operator":"AND","conditions":[],"groups":[]}},null]],"mainNodeIndex":1} + + + + + DefaultLoadDao + database.dao + + + + + + ProjectDefaultValueLoaderServiceImpl + service.loading + + + + + + +true + + +true + + + eventRefs + + + + + + behavior + +{"objectId":"bdc2c41b-2309-473b-8baf-9021654b2d63","packageName":"component.field","className":"DropdownTreeViewComponent","type":"TS"} + + + + propertyName + +"valueChangeEvent" + + + + + + + + + + behavior + +{"objectId":"7a6667cb-c585-4de9-a62f-54a77b1246c2","packageName":"custom","className":"ContainerLoader","type":"TS"} + + + + propertyName + +"beforeStart" + + + + + + + + + loadParams + + + + + + objectValue + + + + argument + + null + + + + behavior + + {"objectId":"bdc2c41b-2309-473b-8baf-9021654b2d63","packageName":"component.field","className":"DropdownTreeViewComponent","type":"TS"} + + + + method + + "getBusinessId" + + + + + + + + + + + + + +true + + + containerValueLoaderService + + + + loadDao + + + +graph + + {"conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"nodeByIndex":{"0":{"tableName":"recruitment","schemaName":"metrics","x":73.0,"y":179.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"1":{"tableName":"solutions","schemaName":"deregistration","x":347.0,"y":107.0,"alias":"solutions","conditionGroup":{"operator":"AND","conditions":[{"column":{"schema":"deregistration","table":"solutions","entity":"solutions","name":"info_source"},"operation":"EQUAL","typeCode":"CONST","values":["\"GIR_VU\""]}],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"2":{"tableName":"view_solutions","schemaName":"deregistration","x":565.0,"y":181.0,"alias":"view_solutions","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"nodes":[{"tableName":"recruitment","schemaName":"metrics","x":73.0,"y":179.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},{"tableName":"solutions","schemaName":"deregistration","x":347.0,"y":107.0,"alias":"solutions","conditionGroup":{"operator":"AND","conditions":[{"column":{"schema":"deregistration","table":"solutions","entity":"solutions","name":"info_source"},"operation":"EQUAL","typeCode":"CONST","values":["\"GIR_VU\""]}],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},{"tableName":"view_solutions","schemaName":"deregistration","x":565.0,"y":181.0,"alias":"view_solutions","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}],"nodeByEntityName":{"recruitment":{"tableName":"recruitment","schemaName":"metrics","x":73.0,"y":179.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"solutions":{"tableName":"solutions","schemaName":"deregistration","x":347.0,"y":107.0,"alias":"solutions","conditionGroup":{"operator":"AND","conditions":[{"column":{"schema":"deregistration","table":"solutions","entity":"solutions","name":"info_source"},"operation":"EQUAL","typeCode":"CONST","values":["\"GIR_VU\""]}],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"view_solutions":{"tableName":"view_solutions","schemaName":"deregistration","x":565.0,"y":181.0,"alias":"view_solutions","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"matrix":[[null,null,null],[{"refOnEntityName":"solutions","refToEntityName":"recruitment","refToColumns":[{"schema":"metrics","table":"recruitment","entity":"recruitment","name":"idm_id"}],"refOnColumns":[{"schema":"deregistration","table":"solutions","entity":"solutions","name":"recruitment_id"}],"required":false,"cyclic":false,"conditionGroup":{"operator":"AND","conditions":[],"groups":[]}},null,null],[null,{"refOnEntityName":"view_solutions","refToEntityName":"solutions","refToColumns":[{"schema":"deregistration","table":"solutions","entity":"solutions","name":"solutions_id"}],"refOnColumns":[{"schema":"deregistration","table":"view_solutions","entity":"view_solutions","name":"solutions_id"}],"required":false,"cyclic":false,"conditionGroup":{"operator":"AND","conditions":[],"groups":[]}},null]],"mainNodeIndex":1} + + + + + DefaultLoadDao + database.dao + + + + + replacePkColumn + + {"schema":"metrics","table":"recruitment","entity":"recruitment","name":"idm_id"} + + + + + ContainerByPkValueLoaderServiceImpl + service.loading + + + + + + +ba24d307-0b91-4299-ba82-9d0b52384ff2 +4b7d8d38-ef08-4032-9c1f-94f1eab88b57 +Сформированные решения о снятии с ВУ +false false - + cssClasses - + - "block-section" + "section-header" - style + initialValue - - - width - - null - - - - - - - - - true - - - service - - - - loadDao - - - - graph - - {"conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"nodeByIndex":{"0":{"tableName":"recruitment","schemaName":"metrics","x":127.0,"y":261.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[{"column":{"schema":"metrics","table":"recruitment","entity":"recruitment","name":"schema"},"operation":"EQUAL","typeCode":"CONST","values":["\"Ministry\""]}],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"1":{"tableName":"decisions_signing","schemaName":"deregistration","x":288.0,"y":168.0,"alias":"decisions_signing","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"2":{"tableName":"view_decisions_signing","schemaName":"deregistration","x":509.0,"y":258.0,"alias":"view_decisions_signing","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"nodes":[{"tableName":"recruitment","schemaName":"metrics","x":127.0,"y":261.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[{"column":{"schema":"metrics","table":"recruitment","entity":"recruitment","name":"schema"},"operation":"EQUAL","typeCode":"CONST","values":["\"Ministry\""]}],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},{"tableName":"decisions_signing","schemaName":"deregistration","x":288.0,"y":168.0,"alias":"decisions_signing","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},{"tableName":"view_decisions_signing","schemaName":"deregistration","x":509.0,"y":258.0,"alias":"view_decisions_signing","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}],"nodeByEntityName":{"decisions_signing":{"tableName":"decisions_signing","schemaName":"deregistration","x":288.0,"y":168.0,"alias":"decisions_signing","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"view_decisions_signing":{"tableName":"view_decisions_signing","schemaName":"deregistration","x":509.0,"y":258.0,"alias":"view_decisions_signing","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"recruitment":{"tableName":"recruitment","schemaName":"metrics","x":127.0,"y":261.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[{"column":{"schema":"metrics","table":"recruitment","entity":"recruitment","name":"schema"},"operation":"EQUAL","typeCode":"CONST","values":["\"Ministry\""]}],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"matrix":[[null,null,null],[{"refOnEntityName":"decisions_signing","refToEntityName":"recruitment","refToColumns":[{"schema":"metrics","table":"recruitment","entity":"recruitment","name":"idm_id"}],"refOnColumns":[{"schema":"deregistration","table":"decisions_signing","entity":"decisions_signing","name":"recruitment_id"}],"required":false,"cyclic":false,"conditionGroup":{"operator":"AND","conditions":[],"groups":[]}},null,null],[null,{"refOnEntityName":"view_decisions_signing","refToEntityName":"decisions_signing","refToColumns":[{"schema":"deregistration","table":"decisions_signing","entity":"decisions_signing","name":"decisions_signing_id"}],"refOnColumns":[{"schema":"deregistration","table":"view_decisions_signing","entity":"view_decisions_signing","name":"decisions_signing_id"}],"required":false,"cyclic":false,"conditionGroup":{"operator":"AND","conditions":[],"groups":[]}},null]],"mainNodeIndex":1} - - - - -DefaultLoadDao -database.dao - - - - - - ProjectDefaultValueLoaderServiceImpl - service.loading - - - - - - - true - - - true - - - eventRefs - - - - - -behavior - - {"objectId":"bdc2c41b-2309-473b-8baf-9021654b2d63","packageName":"component.field","className":"DropdownTreeViewComponent","type":"TS"} - - - -propertyName - - "valueChangeEvent" - - - - - - - - - -behavior - - {"objectId":"9b9f2335-d26e-48af-b079-9d49e3b7f1f6","packageName":"custom","className":"ContainerLoader","type":"TS"} - - - -propertyName - - "beforeStart" - - - - - + "Сформированные решения о снятии с ВУ" - loadParams - - - - - -objectValue - - - - argument + label null - - behavior - - {"objectId":"bdc2c41b-2309-473b-8baf-9021654b2d63","packageName":"component.field","className":"DropdownTreeViewComponent","type":"TS"} - - - - method - - "getBusinessId" - - - - - - - - - - - - true - - - containerValueLoaderService - - - - loadDao - - - - graph - - {"conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"nodeByIndex":{"0":{"tableName":"recruitment","schemaName":"metrics","x":78.0,"y":185.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"1":{"tableName":"decisions_signing","schemaName":"deregistration","x":253.0,"y":64.0,"alias":"decisions_signing","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"2":{"tableName":"view_decisions_signing","schemaName":"deregistration","x":472.0,"y":180.0,"alias":"view_decisions_signing","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"nodes":[{"tableName":"recruitment","schemaName":"metrics","x":78.0,"y":185.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},{"tableName":"decisions_signing","schemaName":"deregistration","x":253.0,"y":64.0,"alias":"decisions_signing","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},{"tableName":"view_decisions_signing","schemaName":"deregistration","x":472.0,"y":180.0,"alias":"view_decisions_signing","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}],"nodeByEntityName":{"decisions_signing":{"tableName":"decisions_signing","schemaName":"deregistration","x":253.0,"y":64.0,"alias":"decisions_signing","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"view_decisions_signing":{"tableName":"view_decisions_signing","schemaName":"deregistration","x":472.0,"y":180.0,"alias":"view_decisions_signing","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"recruitment":{"tableName":"recruitment","schemaName":"metrics","x":78.0,"y":185.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"matrix":[[null,null,null],[{"refOnEntityName":"decisions_signing","refToEntityName":"recruitment","refToColumns":[{"schema":"metrics","table":"recruitment","entity":"recruitment","name":"idm_id"}],"refOnColumns":[{"schema":"deregistration","table":"decisions_signing","entity":"decisions_signing","name":"recruitment_id"}],"required":false,"cyclic":false,"conditionGroup":{"operator":"AND","conditions":[],"groups":[]}},null,null],[null,{"refOnEntityName":"view_decisions_signing","refToEntityName":"decisions_signing","refToColumns":[{"schema":"deregistration","table":"decisions_signing","entity":"decisions_signing","name":"decisions_signing_id"}],"refOnColumns":[{"schema":"deregistration","table":"view_decisions_signing","entity":"view_decisions_signing","name":"decisions_signing_id"}],"required":false,"cyclic":false,"conditionGroup":{"operator":"AND","conditions":[],"groups":[]}},null]],"mainNodeIndex":1} - - - - -DefaultLoadDao -database.dao - - - - - replacePkColumn - - {"schema":"metrics","table":"recruitment","entity":"recruitment","name":"idm_id"} - - - - - ContainerByPkValueLoaderServiceImpl - service.loading - - - - + + + + + false - - ba24d307-0b91-4299-ba82-9d0b52384ff2 - 4683d483-4bac-4901-9d3a-bc06399e79c8 - Решения на подписании - false - false + + +d7d54cfb-26b5-4dba-b56f-b6247183c24d +4cecc152-f9bc-4594-aade-5517376b758b +ГК График и показатели +true +false + + + + + + + 9d1b5af1-0b8f-4b1b-b9a5-c2e6acf72d91 + 8be6bab8-70c6-4f0f-b71b-3d6195cbb04d + ВК График + true false - + cssClasses - + - "section-header" + "graph-row-left" - - initialValue + style - "Решения на подписании" - - - - label - - null + + + width + +null + + + - - - - - false - - - - d7d54cfb-26b5-4dba-b56f-b6247183c24d - 4ef60f90-d706-49c0-bf6f-ac990c4a0086 - ГК График и показатели - true - false - - - - - - - 9d1b5af1-0b8f-4b1b-b9a5-c2e6acf72d91 - 5ddc2fed-b799-4c51-a0e6-9c7bc5db91e2 - ВК График + + + + + + ba24d307-0b91-4299-ba82-9d0b52384ff2 + 2b2c97f9-eb9a-46bc-a252-4d5d0efea967 + Пустое поле + false + true + + + 85eb12aa-f878-4e29-b109-9d31af0fefb4 + 3d5e7119-6b40-4cf5-9333-54912e1127cc + График 1 true false - + + false + false + + indexAxis + + "y" + + + + legend + + + +align + + "CENTER" + + + +color + + "#E6E699FF" + + + +position + + "LEFT" + + + + + style -width +height - null + "250px" @@ -10181,405 +11115,616 @@ - - - - - - 85eb12aa-f878-4e29-b109-9d31af0fefb4 - 37e46780-b17b-418e-9463-635b98cd42a7 - График бублик 3 - true - false - false - - false - false - - - - - chartService - - - - chartType - - "DOUGHNUT" - - - - dataSetService - - - - centerLabelConfigurations - - - - - - aggregationFunction - - "SUM" - - - - font - - - - family - - "GolosUI" - - - - size - - 25 - - - - weight - - "550" - - - - - - - loadDao - - - - graph - - {"conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"nodeByIndex":{"0":{"tableName":"recruitment","schemaName":"metrics","x":35.0,"y":158.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"1":{"tableName":"decisions_signing","schemaName":"deregistration","x":231.0,"y":32.0,"alias":"decisions_signing","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"2":{"tableName":"view_decisions_signing","schemaName":"deregistration","x":400.0,"y":158.0,"alias":"view_decisions_signing","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"nodes":[{"tableName":"recruitment","schemaName":"metrics","x":35.0,"y":158.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},{"tableName":"decisions_signing","schemaName":"deregistration","x":231.0,"y":32.0,"alias":"decisions_signing","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},{"tableName":"view_decisions_signing","schemaName":"deregistration","x":400.0,"y":158.0,"alias":"view_decisions_signing","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}],"nodeByEntityName":{"decisions_signing":{"tableName":"decisions_signing","schemaName":"deregistration","x":231.0,"y":32.0,"alias":"decisions_signing","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"view_decisions_signing":{"tableName":"view_decisions_signing","schemaName":"deregistration","x":400.0,"y":158.0,"alias":"view_decisions_signing","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"recruitment":{"tableName":"recruitment","schemaName":"metrics","x":35.0,"y":158.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"matrix":[[null,null,null],[{"refOnEntityName":"decisions_signing","refToEntityName":"recruitment","refToColumns":[{"schema":"metrics","table":"recruitment","entity":"recruitment","name":"idm_id"}],"refOnColumns":[{"schema":"deregistration","table":"decisions_signing","entity":"decisions_signing","name":"recruitment_id"}],"required":false,"cyclic":false,"conditionGroup":{"operator":"AND","conditions":[],"groups":[]}},null,null],[null,{"refOnEntityName":"view_decisions_signing","refToEntityName":"decisions_signing","refToColumns":[{"schema":"deregistration","table":"decisions_signing","entity":"decisions_signing","name":"decisions_signing_id"}],"refOnColumns":[{"schema":"deregistration","table":"view_decisions_signing","entity":"view_decisions_signing","name":"decisions_signing_id"}],"required":false,"cyclic":false,"conditionGroup":{"operator":"AND","conditions":[],"groups":[]}},null]],"mainNodeIndex":1} - - - - - DefaultLoadDao - database.dao - - - - - valueColumn - - {"schema":"deregistration","table":"view_decisions_signing","entity":"view_decisions_signing","name":"count_arrived_all"} - - - - -DefaultRoundLabelConfiguration -ervu_business_metrics.component.chart.label - - - - - - - - dataSetConfigurations - - - - - - columnAggregationDataSet - - - - aggregationData - - - - - - aggregationColumn - - {"schema":"deregistration","table":"decisions_signing","entity":"decisions_signing","name":"count_arrived_death_reason"} - - - - aggregationFunction - - "SUM" - - - - backgroundColor - - "#AB8A99FF" - - - - label - - "По причине смерти" - - - - - - - - - - aggregationColumn - - {"schema":"deregistration","table":"decisions_signing","entity":"decisions_signing","name":"count_arrived_age_limit"} - - - - aggregationFunction - - "SUM" - - - - backgroundColor - - "#729AC9FF" - - - - label - - "По причине наступления предельного возраста *" - - - - - - - - - - - - dataLabel - - " " - - - - - - - cutout - - "80%" - - - - datasetType - - "COLUMN_AGGREGATION" - - - - loadDao - - - - graph - - {"conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"nodeByIndex":{"0":{"tableName":"recruitment","schemaName":"metrics","x":157.0,"y":176.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"1":{"tableName":"decisions_signing","schemaName":"deregistration","x":430.0,"y":127.0,"alias":"decisions_signing","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"nodes":[{"tableName":"recruitment","schemaName":"metrics","x":157.0,"y":176.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},{"tableName":"decisions_signing","schemaName":"deregistration","x":430.0,"y":127.0,"alias":"decisions_signing","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}],"nodeByEntityName":{"decisions_signing":{"tableName":"decisions_signing","schemaName":"deregistration","x":430.0,"y":127.0,"alias":"decisions_signing","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"recruitment":{"tableName":"recruitment","schemaName":"metrics","x":157.0,"y":176.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"matrix":[[null,null],[{"refOnEntityName":"decisions_signing","refToEntityName":"recruitment","refToColumns":[{"schema":"metrics","table":"recruitment","entity":"recruitment","name":"idm_id"}],"refOnColumns":[{"schema":"deregistration","table":"decisions_signing","entity":"decisions_signing","name":"recruitment_id"}],"required":false,"cyclic":false,"conditionGroup":{"operator":"AND","conditions":[],"groups":[]}},null]],"mainNodeIndex":1} - - - - - DefaultLoadDao - database.dao - - - - - radius - - "80%" - - - - - - - - - - - - RoundSingleChartDataSetService - ervu_business_metrics.component.chart - - - - - - - - - - - ErvuChartV2 - ervu_business_metrics.component.chart - - true - - - cssClasses - - + + + + chartService + + + +chartType - "graph-donut" + "BAR" - - - - - legend - - - - display - - false - - - - - - - loadOnStart - - true - - - - - - - RoundArcCornersChartPlugin - ervu_business_metrics.component.chart.plugin - - true - true - - - - FilterReferences - ervu_business_metrics.component.filter - - true - true - - - references - - + + +dataSetServices + + + + + + datasetType + + "STATIC" + + + + loadDao + + + +graph + + {"conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"nodeByIndex":{"0":{"tableName":"recruitment","schemaName":"metrics","x":35.0,"y":163.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"1":{"tableName":"solutions","schemaName":"deregistration","x":180.0,"y":61.0,"alias":"solutions","conditionGroup":{"operator":"AND","conditions":[{"column":{"schema":"deregistration","table":"solutions","entity":"solutions","name":"info_source"},"operation":"EQUAL","typeCode":"CONST","values":["\"GIR_VU\""]}],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"2":{"tableName":"view_solutions","schemaName":"deregistration","x":430.0,"y":185.0,"alias":"view_solutions","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"nodes":[{"tableName":"recruitment","schemaName":"metrics","x":35.0,"y":163.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},{"tableName":"solutions","schemaName":"deregistration","x":180.0,"y":61.0,"alias":"solutions","conditionGroup":{"operator":"AND","conditions":[{"column":{"schema":"deregistration","table":"solutions","entity":"solutions","name":"info_source"},"operation":"EQUAL","typeCode":"CONST","values":["\"GIR_VU\""]}],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},{"tableName":"view_solutions","schemaName":"deregistration","x":430.0,"y":185.0,"alias":"view_solutions","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}],"nodeByEntityName":{"recruitment":{"tableName":"recruitment","schemaName":"metrics","x":35.0,"y":163.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"solutions":{"tableName":"solutions","schemaName":"deregistration","x":180.0,"y":61.0,"alias":"solutions","conditionGroup":{"operator":"AND","conditions":[{"column":{"schema":"deregistration","table":"solutions","entity":"solutions","name":"info_source"},"operation":"EQUAL","typeCode":"CONST","values":["\"GIR_VU\""]}],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"view_solutions":{"tableName":"view_solutions","schemaName":"deregistration","x":430.0,"y":185.0,"alias":"view_solutions","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"matrix":[[null,null,null],[{"refOnEntityName":"solutions","refToEntityName":"recruitment","refToColumns":[{"schema":"metrics","table":"recruitment","entity":"recruitment","name":"idm_id"}],"refOnColumns":[{"schema":"deregistration","table":"solutions","entity":"solutions","name":"recruitment_id"}],"required":false,"cyclic":false,"conditionGroup":{"operator":"AND","conditions":[],"groups":[]}},null,null],[null,{"refOnEntityName":"view_solutions","refToEntityName":"solutions","refToColumns":[{"schema":"deregistration","table":"solutions","entity":"solutions","name":"solutions_id"}],"refOnColumns":[{"schema":"deregistration","table":"view_solutions","entity":"view_solutions","name":"solutions_id"}],"required":false,"cyclic":false,"conditionGroup":{"operator":"AND","conditions":[],"groups":[]}},null]],"mainNodeIndex":1} + + + + + DefaultLoadDao + database.dao + + + + + staticDataSet + + + +staticData + + + + + + + + + + backgroundColor + + "#E9DECDFF" + + + + chartType + + "BAR" + + + + dataColumn + + {"schema":"deregistration","table":"solutions","entity":"solutions","name":"count_accepted_for_sign"} + + + + dataLabel + + "Доступно для подписания" + + + + labelColumn + + {"schema":"deregistration","table":"solutions","entity":"solutions","name":"count_accepted_for_sign"} + + + + stack + + "Доступно для подписания" + + + + + + + + + + backgroundColor + + "#E9DECDFF" + + + + chartType + + "BAR" + + + + dataColumn + + {"schema":"deregistration","table":"solutions","entity":"solutions","name":"count_accepted_signed"} + + + + dataLabel + + "Подписано" + + + + labelColumn + + {"schema":"deregistration","table":"solutions","entity":"solutions","name":"count_accepted_signed"} + + + + stack + + "Подписано" + + + + + + + + + + backgroundColor + + "#E9DECDFF" + + + + chartType + + "BAR" + + + + dataColumn + + {"schema":"deregistration","table":"solutions","entity":"solutions","name":"count_refused"} + + + + dataLabel + + "Отклонено" + + + + labelColumn + + {"schema":"deregistration","table":"solutions","entity":"solutions","name":"count_refused"} + + + + stack + + "Отклонено" + + + + + + + + + + backgroundColor + + "#F2F2F2FF" + + + + chartType + + "BAR" + + + + dataColumn + + {"schema":"deregistration","table":"view_solutions","entity":"view_solutions","name":"count_accepted_all"} + + + + dataLabel + + " " + + + + labelColumn + + {"schema":"deregistration","table":"view_solutions","entity":"view_solutions","name":"count_accepted_all"} + + + + stack + + "100%" + + + + + + + + + + + + + ErvuMultiChartDataSetService + ervu_business_metrics.component.chart + + + + + + + + + + + + + ErvuChartV2 + ervu_business_metrics.component.chart + + true + + + bars + + + +barPositions - column + barStackIndexes - "idm_id" + + + + +barStack + + "Доступно для подписания" + + + +index + + 85.0 + + + + + + + + + +barStack + + "Подписано" + + + +index + + 43.0 + + + + + + + + + +barStack + + "Отклонено" + + + +index + + 1.0 + + + + + - dataConverter + barThickness - + 20.0 - filterComponent + max - {"objectId":"bdc2c41b-2309-473b-8baf-9021654b2d63","packageName":"component.rpc","className":"TreeItemRpcService","type":"JAVA"} + 132.0 - table + min - "recruitment" + 0.0 - - StaticFilterReference - ervu_business_metrics.component.filter - - - - - - - - - FilterGroupDelegate - ervu_business_metrics.component.filter - - true - true - - - filterComponents - - + + +shadowBar - {"objectId":"bdc2c41b-2309-473b-8baf-9021654b2d63","packageName":"component.filter","className":"FilterComponent","type":"TS"} + "100%" - - - - - - liveFilter - - true - - - - triggerOnStart - - true - - - - - - - DoughnutCenterLabelsPlugin - ervu_business_metrics.component.chart.plugin - - true - true - - - formatters - - + + +x - - NumberToLocalStringLabelFormatter - ervu_business_metrics.component.chart.plugin.formatters - - - + + + grid + + + + display + + false - - - + + drawBorder + + false + + + + + + + stacked + + false + + + + ticks + + + + display + + false + + + + + + + + + +y + + + + grid + + + + display + + false + + + + drawBorder + + false + + + + + + + ticks + + + + display + + false + + + + + + + + + + + + + indexAxis + + "y" + + + + legend + + + +display + + false + + + + + + + loadOnStart + + true + + + + options + + + +borderRadiusNumber + + 50.0 + + + + + + + style + + + +height + + "140px" + + + +margin + + "4px 0px 0px 0px" + + + + + + + visible + + true + + + + + + + FilterGroupDelegate + ervu_business_metrics.component.filter + + true + true + + + filterComponents + + + +{"objectId":"bdc2c41b-2309-473b-8baf-9021654b2d63","packageName":"component.filter","className":"FilterComponent","type":"TS"} + + + + + + liveFilter + + true + + + + triggerOnStart + + true + + + + + + + FilterReferences + ervu_business_metrics.component.filter + + true + true + + + references + + + + + + column + + "idm_id" + + + + dataConverter + + + + + + filterComponent + + {"objectId":"bdc2c41b-2309-473b-8baf-9021654b2d63","packageName":"component.rpc","className":"TreeItemRpcService","type":"JAVA"} + + + + table + + "recruitment" + + + + + StaticFilterReference + ervu_business_metrics.component.filter + + + + + + + - - 9d1b5af1-0b8f-4b1b-b9a5-c2e6acf72d91 - e4dd1e7e-2169-4d53-88f9-cf7584a8b346 - Вертикальный контейнер + + + d7d54cfb-26b5-4dba-b56f-b6247183c24d + 925dfe5f-6c16-4f0c-bc36-18c625532703 + Горизонтальный контейнер + true + true + + + 9d1b5af1-0b8f-4b1b-b9a5-c2e6acf72d91 + 62ba0893-2ccd-4bff-97d8-6d72455e64dd + Вертикальный контейнер + true + false + + + + cssClasses + + + + "graph-legend-right" + + + + + + + + + + + + d7d54cfb-26b5-4dba-b56f-b6247183c24d + 4ed2c477-8634-445b-b7cb-e6850cf42263 + Горизонтальный контейнер true false @@ -10587,23 +11732,79 @@ cssClasses - + -"graph-legend-right" +"subhead" - - - - - - d7d54cfb-26b5-4dba-b56f-b6247183c24d - 3023a17d-c0ab-429e-a2a7-f134d29b7641 - ГК Показатель + + + + + + ba24d307-0b91-4299-ba82-9d0b52384ff2 + 570ce91a-5cdc-4317-9fc2-e1c8b548d87d + Value + false + false + + + + textFormatter + + +NumberToLocalStringFormatter +ervu_business_metrics.formatter + + + + + + + + + + defaultValueColumn + + {"schema":"deregistration","table":"view_solutions","entity":"view_solutions","name":"count_accepted_all"} + + + + loadType + + "BY_COLUMN" + + + + + + + + loadType + + "BY_COLUMN" + + + + valueByEventColumn + + {"schema":"deregistration","table":"view_solutions","entity":"view_solutions","name":"count_accepted_all"} + + + + + + false + + + + 9d1b5af1-0b8f-4b1b-b9a5-c2e6acf72d91 + 882885e8-ee2e-4361-b7ee-404a0d6ed36f + Вертикальный контейнер true false @@ -10611,23 +11812,85 @@ cssClasses - + - "subhead" + "text-invert" - - - - - + + + + + ba24d307-0b91-4299-ba82-9d0b52384ff2 - e5597dfe-09c5-4a6f-8834-88fa4089022e - 5 000 + 408bdd4f-3dcd-42fb-b7ac-a9fb8cefcf7c + Решений всего, в т.ч.: + false + false + + + + initialValue + +"Решений всего, в т.ч.:" + + + + tooltip + +"Решений всего, в т.ч.:" + + + + + + + + + false + + + + + + d7d54cfb-26b5-4dba-b56f-b6247183c24d + 925dfe5f-6c16-4f0c-bc36-18c625532703 + Горизонтальный контейнер + true + false + + + + cssClasses + + + + + + + + + + + + 9d1b5af1-0b8f-4b1b-b9a5-c2e6acf72d91 + fc010744-b222-4362-8290-68c00215ede1 + Vbox% + true + false + + + + + + + ba24d307-0b91-4299-ba82-9d0b52384ff2 + 763a18fa-f5c8-4fdc-a83a-271818c77f1d + 94% false false @@ -10635,7 +11898,257 @@ cssClasses - + + + "text-invert" + + + + + + initialValue + +null + + + + label + +"%" + + + + textFormatter + + + NumberToLocalStringFormatter + ervu_business_metrics.formatter + + + + + + + + + + defaultValueColumn + +{"schema":"deregistration","table":"view_solutions","entity":"view_solutions","name":"percent_accepted_for_sign"} + + + + loadType + +"BY_COLUMN" + + + + + + + + loadType + +"BY_COLUMN" + + + + valueByEventColumn + +{"schema":"deregistration","table":"view_solutions","entity":"view_solutions","name":"percent_accepted_for_sign"} + + + + + + false + + + + ba24d307-0b91-4299-ba82-9d0b52384ff2 + e7e40168-3def-41ae-af2c-b45330752f27 + 94% + false + false + + + + cssClasses + + + + "text-invert" + + + + + + initialValue + +null + + + + label + +"%" + + + + textFormatter + + + NumberToLocalStringFormatter + ervu_business_metrics.formatter + + + + + + + + + + defaultValueColumn + +{"schema":"deregistration","table":"view_solutions","entity":"view_solutions","name":"percent_accepted_signed"} + + + + loadType + +"BY_COLUMN" + + + + + + + + loadType + +"BY_COLUMN" + + + + valueByEventColumn + +{"schema":"deregistration","table":"view_solutions","entity":"view_solutions","name":"percent_accepted_signed"} + + + + + + false + + + + ba24d307-0b91-4299-ba82-9d0b52384ff2 + a196481e-3204-4fdd-89bb-0759df4c631c + 1% + false + false + + + + cssClasses + + + + "text-invert" + + + + + + initialValue + +null + + + + label + +"%" + + + + textFormatter + + + NumberToLocalStringFormatter + ervu_business_metrics.formatter + + + + + + + + + + defaultValueColumn + +{"schema":"deregistration","table":"view_solutions","entity":"view_solutions","name":"percent_refused"} + + + + loadType + +"BY_COLUMN" + + + + + + + + loadType + +"BY_COLUMN" + + + + valueByEventColumn + +{"schema":"deregistration","table":"view_solutions","entity":"view_solutions","name":"percent_refused"} + + + + + + false + + + + + 9d1b5af1-0b8f-4b1b-b9a5-c2e6acf72d91 + 2e61ebcb-74af-427c-a7d2-77e7c16b01bd + VboxValue + true + false + + + + + + + ba24d307-0b91-4299-ba82-9d0b52384ff2 + 71ca6778-9fd8-484d-a8d6-01acf0ec77eb + 29 200 + false + false + + + + cssClasses + + + + "pull-right" + + @@ -10647,27 +12160,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -10680,7 +12174,7 @@ defaultValueColumn -{"schema":"deregistration","table":"view_decisions_signing","entity":"view_decisions_signing","name":"count_arrived_all"} +{"schema":"deregistration","table":"solutions","entity":"solutions","name":"count_accepted_for_sign"} @@ -10702,7 +12196,7 @@ valueByEventColumn -{"schema":"deregistration","table":"view_decisions_signing","entity":"view_decisions_signing","name":"count_arrived_all"} +{"schema":"deregistration","table":"solutions","entity":"solutions","name":"count_accepted_for_sign"} @@ -10711,1707 +12205,35 @@ false - - 9d1b5af1-0b8f-4b1b-b9a5-c2e6acf72d91 - bcac2dc1-ad26-4a0f-9fc7-4dcb25b8f32c - Вертикальный контейнер - true - false - - - - cssClasses - - - - "text-wrap" - - - - - - - - - - - - ba24d307-0b91-4299-ba82-9d0b52384ff2 - 0572ae8f-d440-4590-8454-9e4a221241f4 - Решений на подписании, в т.ч.: - false - false - - - -initialValue - - "Решений на подписании, в т.ч.:" - - - -label - - null - - - -tooltip - - "Решений на подписании, в т.ч.:" - - - - - - - - - false - - - - - - d7d54cfb-26b5-4dba-b56f-b6247183c24d - 9cf94285-32ce-4fb9-8e3b-d96015cb6325 - ГК Показатели - true - false - - - - cssClasses - - - - - - - - - - - - 9d1b5af1-0b8f-4b1b-b9a5-c2e6acf72d91 - 1f60418c-29af-4463-ad99-355edc64e24d - Vbox% - true - false - - - - cssClasses - - - - - - - - - - - - ba24d307-0b91-4299-ba82-9d0b52384ff2 - af47b55e-1551-422a-b7ee-fa5f8341049f - 60% - false - false - - - -cssClasses - - - - "legend-col-purple" - - - - - "text-invert" - - - - - -initialValue - - null - - - -label - - "%" - - - -textFormatter - - - - replaceModels - - - - - -value - - "0" - - - - - - - - - - ReplaceValueTextFormatter - ervu_business_metrics.formatter - - - - - - - - - -defaultValueColumn - - {"schema":"deregistration","table":"view_decisions_signing","entity":"view_decisions_signing","name":"percent_arrived_death_reason"} - - - -loadType - - "BY_COLUMN" - - - - - - - -loadType - - "BY_COLUMN" - - - -valueByEventColumn - - {"schema":"deregistration","table":"view_decisions_signing","entity":"view_decisions_signing","name":"percent_arrived_death_reason"} - - - - - - false - - - - ba24d307-0b91-4299-ba82-9d0b52384ff2 - d28bdab2-2f9b-4b72-9d14-ef17eed55815 - 40% - false - false - - - -cssClasses - - - - "legend-col-dk-blue" - - - - - "text-invert" - - - - - -initialValue - - null - - - -label - - "%" - - - -textFormatter - - - - replaceModels - - - - - -value - - "0" - - - - - - - - - - ReplaceValueTextFormatter - ervu_business_metrics.formatter - - - - - - - - - -defaultValueColumn - - {"schema":"deregistration","table":"view_decisions_signing","entity":"view_decisions_signing","name":"percent_arrived_age_limit"} - - - -loadType - - "BY_COLUMN" - - - - - - - -loadType - - "BY_COLUMN" - - - -valueByEventColumn - - {"schema":"deregistration","table":"view_decisions_signing","entity":"view_decisions_signing","name":"percent_arrived_age_limit"} - - - - - - false - - - - - 9d1b5af1-0b8f-4b1b-b9a5-c2e6acf72d91 - 7f2ef3eb-c73b-47d5-b24c-0f09b58f2b5d - VboxValue - true - false - - - - - - - ba24d307-0b91-4299-ba82-9d0b52384ff2 - 13551a0d-3bcb-4469-a738-235f2d0c23ca - 3 000 - false - false - false - - - -cssClasses - - - - "pull-right" - - - - - -initialValue - - null - - - -textFormatter - - - - replaceModels - - - - - -value - - "0" - - - - - - - - - - ReplaceValueTextFormatter - ervu_business_metrics.formatter - - - - - - - - - -defaultValueColumn - - {"schema":"deregistration","table":"decisions_signing","entity":"decisions_signing","name":"count_arrived_death_reason"} - - - -loadType - - "BY_COLUMN" - - - - - - - -loadType - - "BY_COLUMN" - - - -valueByEventColumn - - {"schema":"deregistration","table":"decisions_signing","entity":"decisions_signing","name":"count_arrived_death_reason"} - - - - - - false - - - - ba24d307-0b91-4299-ba82-9d0b52384ff2 - b7660e54-c59d-4b4d-9f92-7596cf9690ac - 2 000 - false - false - - - -cssClasses - - - - "pull-right" - - - - - -initialValue - - null - - - -textFormatter - - - - replaceModels - - - - - -value - - "0" - - - - - - - - - - ReplaceValueTextFormatter - ervu_business_metrics.formatter - - - - - - - - - -defaultValueColumn - - {"schema":"deregistration","table":"decisions_signing","entity":"decisions_signing","name":"count_arrived_age_limit"} - - - -loadType - - "BY_COLUMN" - - - - - - - -loadType - - "BY_COLUMN" - - - -valueByEventColumn - - {"schema":"deregistration","table":"decisions_signing","entity":"decisions_signing","name":"count_arrived_age_limit"} - - - - - - false - - - - - 9d1b5af1-0b8f-4b1b-b9a5-c2e6acf72d91 - ccc3e3b8-89bf-43b5-9d8a-b3eceb2f5a29 - ВК Показатели - true - false - - - - cssClasses - - - - "text-wrap" - - - - - - - style - - - - width - - null - - - - - - - - - - - - - d7d54cfb-26b5-4dba-b56f-b6247183c24d - a60e391d-0616-4afd-96a6-8bb86ca5295f - ГК Показатель - true - true - - - d7d54cfb-26b5-4dba-b56f-b6247183c24d - 26f60873-7ed5-42ff-8d89-9202723989f7 - ГК Показатель - true - true - - - d7d54cfb-26b5-4dba-b56f-b6247183c24d - 23c5d94a-1fc4-4517-a50a-503c1b7e9bed - ГК Показатель - true - true - - - d7d54cfb-26b5-4dba-b56f-b6247183c24d - 26191847-c1ac-4328-9ee3-e57123595e69 - ГК Показатель - true - true - - - d7d54cfb-26b5-4dba-b56f-b6247183c24d - 91d938a2-28fe-4b39-9004-7dc154dca10b - Горизонтальный контейнер - true - true - - - d7d54cfb-26b5-4dba-b56f-b6247183c24d - 73fcd60f-94f9-42d3-9395-568ed4862f89 - Горизонтальный контейнер - true - true - - - d7d54cfb-26b5-4dba-b56f-b6247183c24d - c01d79e5-57c4-42f9-b04b-7c0555ea2ce0 - Горизонтальный контейнер - true - true - - - ba24d307-0b91-4299-ba82-9d0b52384ff2 - 9a6da3c6-4e96-49aa-94e9-6ddb035b63cc - По причине смерти - false - false - - - -initialValue - - "По причине смерти" - - - -label - - null - - - -tooltip - - "По причине смерти" - - - - - - - - - false - - - - ba24d307-0b91-4299-ba82-9d0b52384ff2 - 937d2ab5-8cb9-41b2-bc78-af3362f556bb - По причине наступления предельного возраста * - false - false - - - -initialValue - - "По причине наступления предельного возраста *" - - - -label - - null - - - -tooltip - - "По причине наступления предельного возраста *" - - - - - - - - - false - - - - - - - d7d54cfb-26b5-4dba-b56f-b6247183c24d - 9cf94285-32ce-4fb9-8e3b-d96015cb6325 - ГК Показатели - true - true - - - - ba24d307-0b91-4299-ba82-9d0b52384ff2 - a1bd5686-d5af-4f49-93ad-6fdb55f633c1 - * предельный возраст: 70 лет для мужчин и 50 лет для женщин - false - false - - - - initialValue - - "* предельный возраст: 70 лет для мужчин и 50 лет для женщин" - - - - tooltip - - null - - - - - - - - - false - - - - -9d1b5af1-0b8f-4b1b-b9a5-c2e6acf72d91 -7a6667cb-c585-4de9-a62f-54a77b1246c2 -ГК Сформированные решения о снятии с ВУ -true -false - - - - cssClasses - - - - "block-section" - - - - - - style - - - - width - - null - - - - - - - - - true - - - service - - - - loadDao - - - - graph - - {"conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"nodeByIndex":{"0":{"tableName":"recruitment","schemaName":"metrics","x":162.0,"y":260.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[{"column":{"schema":"metrics","table":"recruitment","entity":"recruitment","name":"schema"},"operation":"EQUAL","typeCode":"CONST","values":["\"Ministry\""]}],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"1":{"tableName":"solutions","schemaName":"deregistration","x":383.0,"y":166.0,"alias":"solutions","conditionGroup":{"operator":"AND","conditions":[{"column":{"schema":"deregistration","table":"solutions","entity":"solutions","name":"info_source"},"operation":"EQUAL","typeCode":"CONST","values":["\"GIR_VU\""]}],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"2":{"tableName":"view_solutions","schemaName":"deregistration","x":630.0,"y":198.0,"alias":"view_solutions","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"nodes":[{"tableName":"recruitment","schemaName":"metrics","x":162.0,"y":260.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[{"column":{"schema":"metrics","table":"recruitment","entity":"recruitment","name":"schema"},"operation":"EQUAL","typeCode":"CONST","values":["\"Ministry\""]}],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},{"tableName":"solutions","schemaName":"deregistration","x":383.0,"y":166.0,"alias":"solutions","conditionGroup":{"operator":"AND","conditions":[{"column":{"schema":"deregistration","table":"solutions","entity":"solutions","name":"info_source"},"operation":"EQUAL","typeCode":"CONST","values":["\"GIR_VU\""]}],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},{"tableName":"view_solutions","schemaName":"deregistration","x":630.0,"y":198.0,"alias":"view_solutions","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}],"nodeByEntityName":{"recruitment":{"tableName":"recruitment","schemaName":"metrics","x":162.0,"y":260.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[{"column":{"schema":"metrics","table":"recruitment","entity":"recruitment","name":"schema"},"operation":"EQUAL","typeCode":"CONST","values":["\"Ministry\""]}],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"solutions":{"tableName":"solutions","schemaName":"deregistration","x":383.0,"y":166.0,"alias":"solutions","conditionGroup":{"operator":"AND","conditions":[{"column":{"schema":"deregistration","table":"solutions","entity":"solutions","name":"info_source"},"operation":"EQUAL","typeCode":"CONST","values":["\"GIR_VU\""]}],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"view_solutions":{"tableName":"view_solutions","schemaName":"deregistration","x":630.0,"y":198.0,"alias":"view_solutions","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"matrix":[[null,null,null],[{"refOnEntityName":"solutions","refToEntityName":"recruitment","refToColumns":[{"schema":"metrics","table":"recruitment","entity":"recruitment","name":"idm_id"}],"refOnColumns":[{"schema":"deregistration","table":"solutions","entity":"solutions","name":"recruitment_id"}],"required":false,"cyclic":false,"conditionGroup":{"operator":"AND","conditions":[],"groups":[]}},null,null],[null,{"refOnEntityName":"view_solutions","refToEntityName":"solutions","refToColumns":[{"schema":"deregistration","table":"solutions","entity":"solutions","name":"solutions_id"}],"refOnColumns":[{"schema":"deregistration","table":"view_solutions","entity":"view_solutions","name":"solutions_id"}],"required":false,"cyclic":false,"conditionGroup":{"operator":"AND","conditions":[],"groups":[]}},null]],"mainNodeIndex":1} - - - - -DefaultLoadDao -database.dao - - - - - - ProjectDefaultValueLoaderServiceImpl - service.loading - - - - - - - true - - - true - - - eventRefs - - - - - -behavior - - {"objectId":"bdc2c41b-2309-473b-8baf-9021654b2d63","packageName":"component.field","className":"DropdownTreeViewComponent","type":"TS"} - - - -propertyName - - "valueChangeEvent" - - - - - - - - - -behavior - - {"objectId":"7a6667cb-c585-4de9-a62f-54a77b1246c2","packageName":"custom","className":"ContainerLoader","type":"TS"} - - - -propertyName - - "beforeStart" - - - - - - - - - loadParams - - - - - -objectValue - - - - argument - - null - - - - behavior - - {"objectId":"bdc2c41b-2309-473b-8baf-9021654b2d63","packageName":"component.field","className":"DropdownTreeViewComponent","type":"TS"} - - - - method - - "getBusinessId" - - - - - - - - - - - - - - true - - - containerValueLoaderService - - - - loadDao - - - - graph - - {"conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"nodeByIndex":{"0":{"tableName":"recruitment","schemaName":"metrics","x":73.0,"y":179.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"1":{"tableName":"solutions","schemaName":"deregistration","x":347.0,"y":107.0,"alias":"solutions","conditionGroup":{"operator":"AND","conditions":[{"column":{"schema":"deregistration","table":"solutions","entity":"solutions","name":"info_source"},"operation":"EQUAL","typeCode":"CONST","values":["\"GIR_VU\""]}],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"2":{"tableName":"view_solutions","schemaName":"deregistration","x":565.0,"y":181.0,"alias":"view_solutions","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"nodes":[{"tableName":"recruitment","schemaName":"metrics","x":73.0,"y":179.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},{"tableName":"solutions","schemaName":"deregistration","x":347.0,"y":107.0,"alias":"solutions","conditionGroup":{"operator":"AND","conditions":[{"column":{"schema":"deregistration","table":"solutions","entity":"solutions","name":"info_source"},"operation":"EQUAL","typeCode":"CONST","values":["\"GIR_VU\""]}],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},{"tableName":"view_solutions","schemaName":"deregistration","x":565.0,"y":181.0,"alias":"view_solutions","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}],"nodeByEntityName":{"recruitment":{"tableName":"recruitment","schemaName":"metrics","x":73.0,"y":179.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"solutions":{"tableName":"solutions","schemaName":"deregistration","x":347.0,"y":107.0,"alias":"solutions","conditionGroup":{"operator":"AND","conditions":[{"column":{"schema":"deregistration","table":"solutions","entity":"solutions","name":"info_source"},"operation":"EQUAL","typeCode":"CONST","values":["\"GIR_VU\""]}],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"view_solutions":{"tableName":"view_solutions","schemaName":"deregistration","x":565.0,"y":181.0,"alias":"view_solutions","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"matrix":[[null,null,null],[{"refOnEntityName":"solutions","refToEntityName":"recruitment","refToColumns":[{"schema":"metrics","table":"recruitment","entity":"recruitment","name":"idm_id"}],"refOnColumns":[{"schema":"deregistration","table":"solutions","entity":"solutions","name":"recruitment_id"}],"required":false,"cyclic":false,"conditionGroup":{"operator":"AND","conditions":[],"groups":[]}},null,null],[null,{"refOnEntityName":"view_solutions","refToEntityName":"solutions","refToColumns":[{"schema":"deregistration","table":"solutions","entity":"solutions","name":"solutions_id"}],"refOnColumns":[{"schema":"deregistration","table":"view_solutions","entity":"view_solutions","name":"solutions_id"}],"required":false,"cyclic":false,"conditionGroup":{"operator":"AND","conditions":[],"groups":[]}},null]],"mainNodeIndex":1} - - - - -DefaultLoadDao -database.dao - - - - - replacePkColumn - - {"schema":"metrics","table":"recruitment","entity":"recruitment","name":"idm_id"} - - - - - ContainerByPkValueLoaderServiceImpl - service.loading - - - - - - - ba24d307-0b91-4299-ba82-9d0b52384ff2 - 4b7d8d38-ef08-4032-9c1f-94f1eab88b57 - Сформированные решения о снятии с ВУ - false - false - - - - cssClasses - - - - "section-header" - - - - - - initialValue - - "Сформированные решения о снятии с ВУ" - - - - label - - null - - - - - - - - - false - - - - d7d54cfb-26b5-4dba-b56f-b6247183c24d - 4cecc152-f9bc-4594-aade-5517376b758b - ГК График и показатели - true - false - - - - - - - 9d1b5af1-0b8f-4b1b-b9a5-c2e6acf72d91 - 8be6bab8-70c6-4f0f-b71b-3d6195cbb04d - ВК График - true - false - - - - cssClasses - - - -"graph-row-left" - - - - - - style - - - -width - - null - - - - - - - - - - - - - ba24d307-0b91-4299-ba82-9d0b52384ff2 - 2b2c97f9-eb9a-46bc-a252-4d5d0efea967 - Пустое поле - false - true - - - 85eb12aa-f878-4e29-b109-9d31af0fefb4 - 3d5e7119-6b40-4cf5-9333-54912e1127cc - График 1 - true - false - - false - false - - - indexAxis - - "y" - - - - legend - - - - align - - "CENTER" - - - - color - - "#E6E699FF" - - - - position - - "LEFT" - - - - - - - style - - - - height - - "250px" - - - - - - - - - - - chartService - - - - chartType - - "BAR" - - - - dataSetServices - - - - - - datasetType - - "STATIC" - - - - loadDao - - - - graph - - {"conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"nodeByIndex":{"0":{"tableName":"recruitment","schemaName":"metrics","x":35.0,"y":163.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"1":{"tableName":"solutions","schemaName":"deregistration","x":180.0,"y":61.0,"alias":"solutions","conditionGroup":{"operator":"AND","conditions":[{"column":{"schema":"deregistration","table":"solutions","entity":"solutions","name":"info_source"},"operation":"EQUAL","typeCode":"CONST","values":["\"GIR_VU\""]}],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"2":{"tableName":"view_solutions","schemaName":"deregistration","x":430.0,"y":185.0,"alias":"view_solutions","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"nodes":[{"tableName":"recruitment","schemaName":"metrics","x":35.0,"y":163.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},{"tableName":"solutions","schemaName":"deregistration","x":180.0,"y":61.0,"alias":"solutions","conditionGroup":{"operator":"AND","conditions":[{"column":{"schema":"deregistration","table":"solutions","entity":"solutions","name":"info_source"},"operation":"EQUAL","typeCode":"CONST","values":["\"GIR_VU\""]}],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},{"tableName":"view_solutions","schemaName":"deregistration","x":430.0,"y":185.0,"alias":"view_solutions","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}],"nodeByEntityName":{"recruitment":{"tableName":"recruitment","schemaName":"metrics","x":35.0,"y":163.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"solutions":{"tableName":"solutions","schemaName":"deregistration","x":180.0,"y":61.0,"alias":"solutions","conditionGroup":{"operator":"AND","conditions":[{"column":{"schema":"deregistration","table":"solutions","entity":"solutions","name":"info_source"},"operation":"EQUAL","typeCode":"CONST","values":["\"GIR_VU\""]}],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"view_solutions":{"tableName":"view_solutions","schemaName":"deregistration","x":430.0,"y":185.0,"alias":"view_solutions","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"matrix":[[null,null,null],[{"refOnEntityName":"solutions","refToEntityName":"recruitment","refToColumns":[{"schema":"metrics","table":"recruitment","entity":"recruitment","name":"idm_id"}],"refOnColumns":[{"schema":"deregistration","table":"solutions","entity":"solutions","name":"recruitment_id"}],"required":false,"cyclic":false,"conditionGroup":{"operator":"AND","conditions":[],"groups":[]}},null,null],[null,{"refOnEntityName":"view_solutions","refToEntityName":"solutions","refToColumns":[{"schema":"deregistration","table":"solutions","entity":"solutions","name":"solutions_id"}],"refOnColumns":[{"schema":"deregistration","table":"view_solutions","entity":"view_solutions","name":"solutions_id"}],"required":false,"cyclic":false,"conditionGroup":{"operator":"AND","conditions":[],"groups":[]}},null]],"mainNodeIndex":1} - - - - -DefaultLoadDao -database.dao - - - - - staticDataSet - - - - staticData - - - - - - - - - - backgroundColor - - "#E9DECDFF" - - - - chartType - - "BAR" - - - - dataColumn - - {"schema":"deregistration","table":"solutions","entity":"solutions","name":"count_accepted_for_sign"} - - - - dataLabel - - "Доступно для подписания" - - - - labelColumn - - {"schema":"deregistration","table":"solutions","entity":"solutions","name":"count_accepted_for_sign"} - - - - stack - - "Доступно для подписания" - - - - - - - - - - backgroundColor - - "#E9DECDFF" - - - - chartType - - "BAR" - - - - dataColumn - - {"schema":"deregistration","table":"solutions","entity":"solutions","name":"count_accepted_signed"} - - - - dataLabel - - "Подписано" - - - - labelColumn - - {"schema":"deregistration","table":"solutions","entity":"solutions","name":"count_accepted_signed"} - - - - stack - - "Подписано" - - - - - - - - - - backgroundColor - - "#E9DECDFF" - - - - chartType - - "BAR" - - - - dataColumn - - {"schema":"deregistration","table":"solutions","entity":"solutions","name":"count_refused"} - - - - dataLabel - - "Отклонено" - - - - labelColumn - - {"schema":"deregistration","table":"solutions","entity":"solutions","name":"count_refused"} - - - - stack - - "Отклонено" - - - - - - - - - - backgroundColor - - "#F2F2F2FF" - - - - chartType - - "BAR" - - - - dataColumn - - {"schema":"deregistration","table":"view_solutions","entity":"view_solutions","name":"count_accepted_all"} - - - - dataLabel - - " " - - - - labelColumn - - {"schema":"deregistration","table":"view_solutions","entity":"view_solutions","name":"count_accepted_all"} - - - - stack - - "100%" - - - - - - - - - - - - - ErvuMultiChartDataSetService - ervu_business_metrics.component.chart - - - - - - - - - - - - - ErvuChartV2 - ervu_business_metrics.component.chart - - true - - - bars - - - - barPositions - - - - barStackIndexes - - - - - - barStack - - "Доступно для подписания" - - - - index - - 85.0 - - - - - - - - - - barStack - - "Подписано" - - - - index - - 43.0 - - - - - - - - - - barStack - - "Отклонено" - - - - index - - 1.0 - - - - - - - - - barThickness - - 20.0 - - - - max - - 132.0 - - - - min - - 0.0 - - - - - - - shadowBar - - "100%" - - - - x - - - - grid - - - - display - -false - - - - drawBorder - -false - - - - - - - stacked - - false - - - - ticks - - - - display - -false - - - - - - - - - - y - - - - grid - - - - display - -false - - - - drawBorder - -false - - - - - - - ticks - - - - display - -false - - - - - - - - - - - - - indexAxis - - "y" - - - - legend - - - - display - - false - - - - - - - loadOnStart - - true - - - - options - - - - borderRadiusNumber - - 50.0 - - - - - - - style - - - - height - - "140px" - - - - margin - - "4px 0px 0px 0px" - - - - - - - visible - - true - - - - - - - FilterGroupDelegate - ervu_business_metrics.component.filter - - true - true - - - filterComponents - - - - {"objectId":"bdc2c41b-2309-473b-8baf-9021654b2d63","packageName":"component.filter","className":"FilterComponent","type":"TS"} - - - - - - liveFilter - - true - - - - triggerOnStart - - true - - - - - - - FilterReferences - ervu_business_metrics.component.filter - - true - true - - - references - - - - - - column - - "idm_id" - - - - dataConverter - - - - - - filterComponent - - {"objectId":"bdc2c41b-2309-473b-8baf-9021654b2d63","packageName":"component.rpc","className":"TreeItemRpcService","type":"JAVA"} - - - - table - - "recruitment" - - - - - StaticFilterReference - ervu_business_metrics.component.filter - - - - - - - - - - - d7d54cfb-26b5-4dba-b56f-b6247183c24d - 925dfe5f-6c16-4f0c-bc36-18c625532703 - Горизонтальный контейнер - true - true - - - 9d1b5af1-0b8f-4b1b-b9a5-c2e6acf72d91 - 62ba0893-2ccd-4bff-97d8-6d72455e64dd - Вертикальный контейнер - true - false - - - - cssClasses - - - -"graph-legend-right" - - - - - - - - - - - - d7d54cfb-26b5-4dba-b56f-b6247183c24d - 4ed2c477-8634-445b-b7cb-e6850cf42263 - Горизонтальный контейнер - true - false - - - - cssClasses - - - - "subhead" - - - - - - - - - - - + ba24d307-0b91-4299-ba82-9d0b52384ff2 - 570ce91a-5cdc-4317-9fc2-e1c8b548d87d - Value + 6a43877e-033f-437f-8305-9503c01bce42 + 29 100 false false - textFormatter + cssClasses - - - replaceModels - - - - - - value - -"0" + + + "pull-right" + + - - - - - - + + initialValue + +null + + + + textFormatter + - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -12424,7 +12246,7 @@ defaultValueColumn -{"schema":"deregistration","table":"view_solutions","entity":"view_solutions","name":"count_accepted_all"} +{"schema":"deregistration","table":"solutions","entity":"solutions","name":"count_accepted_signed"} @@ -12446,7 +12268,7 @@ valueByEventColumn -{"schema":"deregistration","table":"view_solutions","entity":"view_solutions","name":"count_accepted_all"} +{"schema":"deregistration","table":"solutions","entity":"solutions","name":"count_accepted_signed"} @@ -12455,65 +12277,83 @@ false - - 9d1b5af1-0b8f-4b1b-b9a5-c2e6acf72d91 - 882885e8-ee2e-4361-b7ee-404a0d6ed36f - Вертикальный контейнер - true + + ba24d307-0b91-4299-ba82-9d0b52384ff2 + 03476b99-2f11-47aa-89b2-544c29361dc7 + 100 + false false - + cssClasses - + - "text-invert" + "pull-right" + + initialValue + +null + + + + textFormatter + + + NumberToLocalStringFormatter + ervu_business_metrics.formatter + + + - - - - - - ba24d307-0b91-4299-ba82-9d0b52384ff2 - 408bdd4f-3dcd-42fb-b7ac-a9fb8cefcf7c - Решений всего, в т.ч.: - false - false - - - -initialValue - - "Решений всего, в т.ч.:" - - - -tooltip - - "Решений всего, в т.ч.:" - - - - - - - - - false - - + + + + + defaultValueColumn + +{"schema":"deregistration","table":"solutions","entity":"solutions","name":"count_refused"} + + + + loadType + +"BY_COLUMN" + + + + + + + + loadType + +"BY_COLUMN" + + + + valueByEventColumn + +{"schema":"deregistration","table":"solutions","entity":"solutions","name":"count_refused"} + + + + + + false + - - d7d54cfb-26b5-4dba-b56f-b6247183c24d - 925dfe5f-6c16-4f0c-bc36-18c625532703 - Горизонтальный контейнер + + 9d1b5af1-0b8f-4b1b-b9a5-c2e6acf72d91 + 10905c2b-4cfe-40f5-a8fb-2e4e8d7de2d5 + ВК Показатели true false @@ -12521,813 +12361,204 @@ cssClasses - + + + "text-wrap" + + + + + + style + + + + width + + null + + + - - - - - - 9d1b5af1-0b8f-4b1b-b9a5-c2e6acf72d91 - fc010744-b222-4362-8290-68c00215ede1 - Vbox% + + + + + + d7d54cfb-26b5-4dba-b56f-b6247183c24d + 894d05ad-81b7-4a44-8bfc-0321b4da004f + ГК Показатель true - false - - - - - - - ba24d307-0b91-4299-ba82-9d0b52384ff2 - 763a18fa-f5c8-4fdc-a83a-271818c77f1d - 94% - false - false - - - -cssClasses - - - - "text-invert" - - - - - -initialValue - - null - - - -label - - "%" - - - -textFormatter - - - - replaceModels - - - - - -value - - "0" - - - - - - - - - - ReplaceValueTextFormatter - ervu_business_metrics.formatter - - - - - - - - - -defaultValueColumn - - {"schema":"deregistration","table":"view_solutions","entity":"view_solutions","name":"percent_accepted_for_sign"} - - - -loadType - - "BY_COLUMN" - - - - - - - -loadType - - "BY_COLUMN" - - - -valueByEventColumn - - {"schema":"deregistration","table":"view_solutions","entity":"view_solutions","name":"percent_accepted_for_sign"} - - - - - - false - - - - ba24d307-0b91-4299-ba82-9d0b52384ff2 - e7e40168-3def-41ae-af2c-b45330752f27 - 94% - false - false - - - -cssClasses - - - - "text-invert" - - - - - -initialValue - - null - - - -label - - "%" - - - -textFormatter - - - - replaceModels - - - - - -value - - "0" - - - - - - - - - - ReplaceValueTextFormatter - ervu_business_metrics.formatter - - - - - - - - - -defaultValueColumn - - {"schema":"deregistration","table":"view_solutions","entity":"view_solutions","name":"percent_accepted_signed"} - - - -loadType - - "BY_COLUMN" - - - - - - - -loadType - - "BY_COLUMN" - - - -valueByEventColumn - - {"schema":"deregistration","table":"view_solutions","entity":"view_solutions","name":"percent_accepted_signed"} - - - - - - false - - - - ba24d307-0b91-4299-ba82-9d0b52384ff2 - a196481e-3204-4fdd-89bb-0759df4c631c - 1% - false - false - - - -cssClasses - - - - "text-invert" - - - - - -initialValue - - null - - - -label - - "%" - - - -textFormatter - - - - replaceModels - - - - - -value - - "0" - - - - - - - - - - ReplaceValueTextFormatter - ervu_business_metrics.formatter - - - - - - - - - -defaultValueColumn - - {"schema":"deregistration","table":"view_solutions","entity":"view_solutions","name":"percent_refused"} - - - -loadType - - "BY_COLUMN" - - - - - - - -loadType - - "BY_COLUMN" - - - -valueByEventColumn - - {"schema":"deregistration","table":"view_solutions","entity":"view_solutions","name":"percent_refused"} - - - - - - false - - + true - - 9d1b5af1-0b8f-4b1b-b9a5-c2e6acf72d91 - 2e61ebcb-74af-427c-a7d2-77e7c16b01bd - VboxValue + + d7d54cfb-26b5-4dba-b56f-b6247183c24d + 8b8ebbac-c446-46cf-b03d-0c7e5e684e9c + ГК Показатель true - false - - - - - - - ba24d307-0b91-4299-ba82-9d0b52384ff2 - 71ca6778-9fd8-484d-a8d6-01acf0ec77eb - 29 200 - false - false - - - -cssClasses - - - - "pull-right" - - - - - -initialValue - - null - - - -textFormatter - - - - replaceModels - - - - - -value - - "0" - - - - - - - - - - ReplaceValueTextFormatter - ervu_business_metrics.formatter - - - - - - - - - -defaultValueColumn - - {"schema":"deregistration","table":"solutions","entity":"solutions","name":"count_accepted_for_sign"} - - - -loadType - - "BY_COLUMN" - - - - - - - -loadType - - "BY_COLUMN" - - - -valueByEventColumn - - {"schema":"deregistration","table":"solutions","entity":"solutions","name":"count_accepted_for_sign"} - - - - - - false - - - - ba24d307-0b91-4299-ba82-9d0b52384ff2 - 6a43877e-033f-437f-8305-9503c01bce42 - 29 100 - false - false - - - -cssClasses - - - - "pull-right" - - - - - -initialValue - - null - - - -textFormatter - - - - replaceModels - - - - - -value - - "0" - - - - - - - - - - ReplaceValueTextFormatter - ervu_business_metrics.formatter - - - - - - - - - -defaultValueColumn - - {"schema":"deregistration","table":"solutions","entity":"solutions","name":"count_accepted_signed"} - - - -loadType - - "BY_COLUMN" - - - - - - - -loadType - - "BY_COLUMN" - - - -valueByEventColumn - - {"schema":"deregistration","table":"solutions","entity":"solutions","name":"count_accepted_signed"} - - - - - - false - - - - ba24d307-0b91-4299-ba82-9d0b52384ff2 - 03476b99-2f11-47aa-89b2-544c29361dc7 - 100 - false - false - - - -cssClasses - - - - "pull-right" - - - - - -initialValue - - null - - - -textFormatter - - - - replaceModels - - - - - -value - - "0" - - - - - - - - - - ReplaceValueTextFormatter - ervu_business_metrics.formatter - - - - - - - - - -defaultValueColumn - - {"schema":"deregistration","table":"solutions","entity":"solutions","name":"count_refused"} - - - -loadType - - "BY_COLUMN" - - - - - - - -loadType - - "BY_COLUMN" - - - -valueByEventColumn - - {"schema":"deregistration","table":"solutions","entity":"solutions","name":"count_refused"} - - - - - - false - - + true - - 9d1b5af1-0b8f-4b1b-b9a5-c2e6acf72d91 - 10905c2b-4cfe-40f5-a8fb-2e4e8d7de2d5 - ВК Показатели + + d7d54cfb-26b5-4dba-b56f-b6247183c24d + b8014bbe-c550-490b-a726-5dd48ffdee2f + ГК Показатель true + true + + + d7d54cfb-26b5-4dba-b56f-b6247183c24d + 7d6eac69-3ec6-4a63-a67c-3b48e6920499 + ГК Показатель + true + true + + + d7d54cfb-26b5-4dba-b56f-b6247183c24d + dba796f5-ccc7-4e03-b544-b918c3c25516 + Горизонтальный контейнер + true + true + + + d7d54cfb-26b5-4dba-b56f-b6247183c24d + 64a78c3b-206d-42de-bd28-39c59cd63414 + Горизонтальный контейнер + true + true + + + d7d54cfb-26b5-4dba-b56f-b6247183c24d + 4f13a0dc-bc1b-4b8f-909e-e0cb1808178e + Горизонтальный контейнер + true + true + + + ba24d307-0b91-4299-ba82-9d0b52384ff2 + aeec8084-0dc6-44a6-9e53-3ee771f1765c + Доступно для подписания + false false - + - cssClasses + initialValue - - - "text-wrap" - - +"Доступно для подписания" - style + label - - - width - - null - - - +null + + + + tooltip + +"Доступно для подписания" - - - - - - d7d54cfb-26b5-4dba-b56f-b6247183c24d - 894d05ad-81b7-4a44-8bfc-0321b4da004f - ГК Показатель - true - true - - - d7d54cfb-26b5-4dba-b56f-b6247183c24d - 8b8ebbac-c446-46cf-b03d-0c7e5e684e9c - ГК Показатель - true - true - - - d7d54cfb-26b5-4dba-b56f-b6247183c24d - b8014bbe-c550-490b-a726-5dd48ffdee2f - ГК Показатель - true - true - - - d7d54cfb-26b5-4dba-b56f-b6247183c24d - 7d6eac69-3ec6-4a63-a67c-3b48e6920499 - ГК Показатель - true - true - - - d7d54cfb-26b5-4dba-b56f-b6247183c24d - dba796f5-ccc7-4e03-b544-b918c3c25516 - Горизонтальный контейнер - true - true - - - d7d54cfb-26b5-4dba-b56f-b6247183c24d - 64a78c3b-206d-42de-bd28-39c59cd63414 - Горизонтальный контейнер - true - true - - - d7d54cfb-26b5-4dba-b56f-b6247183c24d - 4f13a0dc-bc1b-4b8f-909e-e0cb1808178e - Горизонтальный контейнер - true - true - - - ba24d307-0b91-4299-ba82-9d0b52384ff2 - aeec8084-0dc6-44a6-9e53-3ee771f1765c - Доступно для подписания - false - false - - - -initialValue - - "Доступно для подписания" - - - -label - - null - - - -tooltip - - "Доступно для подписания" - - - - - - - - - false - - - - ba24d307-0b91-4299-ba82-9d0b52384ff2 - f165ea60-c48b-4595-a71a-f545ce7d2b06 - Подписано - false - false - false - - - -initialValue - - "Подписано" - - - -label - - null - - - -tooltip - - "Подписано" - - - - - - - - - false - - - - ba24d307-0b91-4299-ba82-9d0b52384ff2 - c4014b3e-f555-4466-bbb9-ccf186bdcdb7 - Отклонено - false - false - - - -initialValue - - "Отклонено" - - - -label - - null - - - -tooltip - - "Отклонено" - - - - - - - - - false - - + + + + + false + + + + ba24d307-0b91-4299-ba82-9d0b52384ff2 + f165ea60-c48b-4595-a71a-f545ce7d2b06 + Подписано + false + false + false + + + + initialValue + +"Подписано" + + + + label + +null + + + + tooltip + +"Подписано" + + + + + + + + + false + + + + ba24d307-0b91-4299-ba82-9d0b52384ff2 + c4014b3e-f555-4466-bbb9-ccf186bdcdb7 + Отклонено + false + false + + + + initialValue + +"Отклонено" + + + + label + +null + + + + tooltip + +"Отклонено" + + + + + + + + + false + - - 85eb12aa-f878-4e29-b109-9d31af0fefb4 - 2085d57f-b865-4c68-a834-409a89052c88 - График 3 - true - true - - - 85eb12aa-f878-4e29-b109-9d31af0fefb4 - 4f9559d6-cfc3-4812-b29f-e1684f79b389 - График 5 - true - true - + + +85eb12aa-f878-4e29-b109-9d31af0fefb4 +2085d57f-b865-4c68-a834-409a89052c88 +График 3 +true +true + + +85eb12aa-f878-4e29-b109-9d31af0fefb4 +4f9559d6-cfc3-4812-b29f-e1684f79b389 +График 5 +true +true @@ -14124,27 +13355,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -14328,27 +13540,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -14430,27 +13623,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -14532,27 +13706,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -14640,27 +13795,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -14749,27 +13885,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -14840,27 +13957,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -14931,27 +14029,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -15028,27 +14107,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -16580,27 +15640,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -16769,27 +15810,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -16867,27 +15889,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -16964,27 +15967,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -17061,27 +16045,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -17158,27 +16123,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -17255,27 +16201,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -17352,27 +16279,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -17455,27 +16363,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -17546,27 +16435,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -17637,27 +16507,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -17728,27 +16579,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -17819,27 +16651,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -17910,27 +16723,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -18001,27 +16795,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -18683,27 +17458,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -19857,27 +18613,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -20040,27 +18777,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -20137,27 +18855,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -20234,27 +18933,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -20337,27 +19017,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -20428,27 +19089,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -20519,27 +19161,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -22218,27 +20841,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -22316,27 +20920,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -22414,27 +20999,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -22512,27 +21078,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -22610,27 +21157,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -22708,27 +21236,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -22806,27 +21315,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -22904,27 +21394,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -23002,27 +21473,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -23106,27 +21558,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -23198,27 +21631,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -23290,27 +21704,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -23382,27 +21777,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -23474,27 +21850,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -23566,27 +21923,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -23658,27 +21996,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -23750,27 +22069,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -23842,27 +22142,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -25596,27 +23877,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -25779,27 +24041,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -25876,27 +24119,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -25973,27 +24197,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -26076,27 +24281,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -26167,27 +24353,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -26258,27 +24425,8 @@ textFormatter - - - replaceModels - - - - - -value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -26772,27 +24920,9 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - + false - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -28014,27 +26144,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -28197,27 +26308,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -28294,27 +26386,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -28391,27 +26464,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -28494,27 +26548,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -28585,27 +26620,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -28676,27 +26692,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -28986,6 +26983,7 @@ 60308693-0f23-461e-8eeb-34c1baea3c2f ГК Второй ряд true + false false @@ -29010,6 +27008,7 @@ 40fa4069-bef6-41d4-be81-e439d18600f9 ВК Отправка уведомлений в ЛК гражданина на ЕПГУ true + false false @@ -29265,6 +27264,7 @@ 1ed640cd-fcde-4bac-bbdc-16771aa831f5 ГК График и показатели true +false false @@ -30373,27 +28373,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -30471,27 +28452,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -30569,27 +28531,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -30667,27 +28610,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -30765,27 +28689,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -30863,27 +28768,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -30961,27 +28847,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -31059,27 +28926,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -31157,27 +29005,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -31261,27 +29090,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -31353,27 +29163,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -31445,27 +29236,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -31537,27 +29309,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -31629,27 +29382,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -31721,27 +29455,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -31813,27 +29528,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -31905,27 +29601,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -31997,27 +29674,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -32773,6 +30431,7 @@ 2d870d73-aaa0-4d59-988c-197b7ad2e482 ВК Ручное снятие true + false false @@ -33623,27 +31282,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -33827,27 +31467,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -33929,27 +31550,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -34031,27 +31633,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -34133,27 +31716,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -34236,27 +31800,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -34327,27 +31872,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -34418,27 +31944,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -34509,27 +32016,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -34863,6 +32351,7 @@ 22d8f47c-2798-4b0e-b103-407a14cc6ac0 ГК Сформированные решения о снятии с ВУ true + false false @@ -35842,27 +33331,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -36025,27 +33495,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -36122,27 +33573,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -36219,27 +33651,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -36322,27 +33735,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -36413,27 +33807,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -36504,27 +33879,8 @@ textFormatter - - - replaceModels - - - - - - value - -"0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter diff --git a/resources/src/main/resources/business-model/ervu-business-metrics/updating.page b/resources/src/main/resources/business-model/ervu-business-metrics/updating.page index 0360678..93bc7e0 100644 --- a/resources/src/main/resources/business-model/ervu-business-metrics/updating.page +++ b/resources/src/main/resources/business-model/ervu-business-metrics/updating.page @@ -123,6 +123,18 @@ + + treeValuesCacheStrategy + +"BY_CUSTOM_NAME" + + + + treeValuesCustomName + +"treeSelectionCache" + + @@ -2478,6 +2490,7 @@ 9bc6be2e-cff9-48ca-8aab-280a3f290a23 ГК Первый ряд true + false false @@ -3459,27 +3472,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -3660,27 +3654,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -3756,27 +3731,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -3858,27 +3814,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -3960,27 +3897,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -4062,27 +3980,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -4164,27 +4063,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -4266,27 +4146,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -4368,27 +4229,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -4471,27 +4313,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -4574,27 +4397,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -4665,27 +4469,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -4756,27 +4541,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -4847,27 +4613,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -4938,27 +4685,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -5029,27 +4757,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -5120,27 +4829,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -5211,27 +4901,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -5302,27 +4973,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -5786,6 +5438,7 @@ ef3f9692-ae92-4772-91d3-7f177f5e691a ВК уникальных записей граждан true + false false @@ -6016,27 +5669,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -6151,6 +5785,7 @@ a256c8f1-1935-4a49-8058-5513e08191c0 ГК Второй ряд true + false false @@ -7534,27 +7169,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -7632,27 +7248,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -7730,27 +7327,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -7828,27 +7406,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -7926,27 +7485,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -8024,27 +7564,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -8122,27 +7643,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -8220,27 +7722,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -8318,27 +7801,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -8422,27 +7886,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -8514,27 +7959,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -8606,27 +8032,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -8698,27 +8105,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -8790,27 +8178,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -8882,27 +8251,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -8974,27 +8324,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -9066,27 +8397,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -9158,27 +8470,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -9941,7 +9234,6 @@ 43f837aa-1141-4bd6-b4d4-ef62295bd2ba ВК ЕПГУ true - false false @@ -9953,7 +9245,6 @@ d17e6df1-babb-4dbb-9b29-0400277e0776 ГК Первый ряд true - false false @@ -9978,7 +9269,6 @@ 338ec387-9b16-4fba-9a44-cd35ca77e953 ВК Поступившие заявления true - false false @@ -10851,27 +10141,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -11059,27 +10330,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -11155,27 +10407,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -11257,27 +10490,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -11359,27 +10573,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -11461,27 +10656,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -11563,27 +10739,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -11666,27 +10823,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -11757,27 +10895,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -11848,27 +10967,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -11939,27 +11039,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -12030,27 +11111,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -12121,27 +11183,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -13793,27 +12836,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -13973,27 +12997,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -14070,27 +13075,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -14168,27 +13154,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -14265,27 +13232,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -14362,27 +13310,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -14459,27 +13388,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -14556,27 +13466,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -14653,27 +13544,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -14750,27 +13622,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -14841,27 +13694,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -14932,27 +13766,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -15023,27 +13838,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -15114,27 +13910,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -15205,27 +13982,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -15296,27 +14054,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -15387,27 +14126,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - -ReplaceValueTextFormatter +NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -15845,6 +14565,7 @@ cf105548-2385-49cb-8951-faab404492d7 ГК Второй ряд true + false false @@ -15864,6 +14585,1183 @@ + + 9d1b5af1-0b8f-4b1b-b9a5-c2e6acf72d91 + 2802c20b-a52d-4e61-99f5-6ba02cfd8500 + ВК Инциденты по заявлениям ЕПГУ + true + false + false + + + + cssClasses + + + + "block-section" + + + + + + + style + + + + height + + null + + + + width + + "50%" + + + + + + + + + true + + + service + + + + loadDao + + + + graph + +{"conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"nodeByIndex":{"0":{"tableName":"recruitment","schemaName":"metrics","x":155.0,"y":210.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[{"column":{"schema":"metrics","table":"recruitment","entity":"recruitment","name":"schema"},"operation":"EQUAL","typeCode":"CONST","values":["\"Ministry\""]}],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"1":{"tableName":"incidents_epgu_info","schemaName":"actualization","x":342.0,"y":139.0,"alias":"incidents_epgu_info","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"2":{"tableName":"view_incidents_epgu_info","schemaName":"actualization","x":574.0,"y":211.0,"alias":"view_incidents_epgu_info","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"nodes":[{"tableName":"recruitment","schemaName":"metrics","x":155.0,"y":210.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[{"column":{"schema":"metrics","table":"recruitment","entity":"recruitment","name":"schema"},"operation":"EQUAL","typeCode":"CONST","values":["\"Ministry\""]}],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},{"tableName":"incidents_epgu_info","schemaName":"actualization","x":342.0,"y":139.0,"alias":"incidents_epgu_info","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},{"tableName":"view_incidents_epgu_info","schemaName":"actualization","x":574.0,"y":211.0,"alias":"view_incidents_epgu_info","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}],"nodeByEntityName":{"view_incidents_epgu_info":{"tableName":"view_incidents_epgu_info","schemaName":"actualization","x":574.0,"y":211.0,"alias":"view_incidents_epgu_info","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"recruitment":{"tableName":"recruitment","schemaName":"metrics","x":155.0,"y":210.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[{"column":{"schema":"metrics","table":"recruitment","entity":"recruitment","name":"schema"},"operation":"EQUAL","typeCode":"CONST","values":["\"Ministry\""]}],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"incidents_epgu_info":{"tableName":"incidents_epgu_info","schemaName":"actualization","x":342.0,"y":139.0,"alias":"incidents_epgu_info","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"matrix":[[null,null,null],[{"refOnEntityName":"incidents_epgu_info","refToEntityName":"recruitment","refToColumns":[{"schema":"metrics","table":"recruitment","entity":"recruitment","name":"idm_id"}],"refOnColumns":[{"schema":"actualization","table":"incidents_epgu_info","entity":"incidents_epgu_info","name":"recruitment_id"}],"required":false,"cyclic":false,"conditionGroup":{"operator":"AND","conditions":[],"groups":[]}},null,null],[null,{"refOnEntityName":"view_incidents_epgu_info","refToEntityName":"incidents_epgu_info","refToColumns":[{"schema":"actualization","table":"incidents_epgu_info","entity":"incidents_epgu_info","name":"incidents_epgu_info_id"}],"refOnColumns":[{"schema":"actualization","table":"view_incidents_epgu_info","entity":"view_incidents_epgu_info","name":"incidents_epgu_info_id"}],"required":false,"cyclic":false,"conditionGroup":{"operator":"AND","conditions":[],"groups":[]}},null]],"mainNodeIndex":1} + + + + + DefaultLoadDao + database.dao + + + + + + ProjectDefaultValueLoaderServiceImpl + service.loading + + + + + + + true + + + true + + + eventRefs + + + + + + behavior + + {"objectId":"513939e4-6ebe-495e-b0cc-83f53650f9a8","packageName":"component.field","className":"DropdownTreeViewComponent","type":"TS"} + + + + propertyName + + "valueChangeEvent" + + + + + + + + + + behavior + + {"objectId":"2802c20b-a52d-4e61-99f5-6ba02cfd8500","packageName":"custom","className":"ContainerLoader","type":"TS"} + + + + propertyName + + "beforeStart" + + + + + + + + + loadParams + + + + + + objectValue + + + + argument + + null + + + + behavior + + {"objectId":"513939e4-6ebe-495e-b0cc-83f53650f9a8","packageName":"component.field","className":"DropdownTreeViewComponent","type":"TS"} + + + + method + + "getBusinessId" + + + + + + + + + + + + + + true + + + containerValueLoaderService + + + + loadDao + + + + graph + +{"conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"nodeByIndex":{"0":{"tableName":"incidents_epgu_info","schemaName":"actualization","x":268.0,"y":121.0,"alias":"incidents_epgu_info","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"1":{"tableName":"view_incidents_epgu_info","schemaName":"actualization","x":517.0,"y":128.0,"alias":"view_incidents_epgu_info","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"2":{"tableName":"recruitment","schemaName":"metrics","x":110.0,"y":273.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"nodes":[{"tableName":"incidents_epgu_info","schemaName":"actualization","x":268.0,"y":121.0,"alias":"incidents_epgu_info","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},{"tableName":"view_incidents_epgu_info","schemaName":"actualization","x":517.0,"y":128.0,"alias":"view_incidents_epgu_info","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},{"tableName":"recruitment","schemaName":"metrics","x":110.0,"y":273.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}],"nodeByEntityName":{"view_incidents_epgu_info":{"tableName":"view_incidents_epgu_info","schemaName":"actualization","x":517.0,"y":128.0,"alias":"view_incidents_epgu_info","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"recruitment":{"tableName":"recruitment","schemaName":"metrics","x":110.0,"y":273.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"incidents_epgu_info":{"tableName":"incidents_epgu_info","schemaName":"actualization","x":268.0,"y":121.0,"alias":"incidents_epgu_info","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"matrix":[[null,null,{"refOnEntityName":"incidents_epgu_info","refToEntityName":"recruitment","refToColumns":[{"schema":"metrics","table":"recruitment","entity":"recruitment","name":"idm_id"}],"refOnColumns":[{"schema":"actualization","table":"incidents_epgu_info","entity":"incidents_epgu_info","name":"recruitment_id"}],"required":false,"cyclic":false,"conditionGroup":{"operator":"AND","conditions":[],"groups":[]}}],[{"refOnEntityName":"view_incidents_epgu_info","refToEntityName":"incidents_epgu_info","refToColumns":[{"schema":"actualization","table":"incidents_epgu_info","entity":"incidents_epgu_info","name":"incidents_epgu_info_id"}],"refOnColumns":[{"schema":"actualization","table":"view_incidents_epgu_info","entity":"view_incidents_epgu_info","name":"incidents_epgu_info_id"}],"required":false,"cyclic":false,"conditionGroup":{"operator":"AND","conditions":[],"groups":[]}},null,null],[null,null,null]],"mainNodeIndex":0} + + + + + DefaultLoadDao + database.dao + + + + + replacePkColumn + + {"schema":"metrics","table":"recruitment","entity":"recruitment","name":"idm_id"} + + + + + ContainerByPkValueLoaderServiceImpl + service.loading + + + + + + + ba24d307-0b91-4299-ba82-9d0b52384ff2 + d7d075e1-2e0d-4980-8b29-c108f4c06a88 + Инциденты по заявлениям ЕПГУ + false + false + + + + cssClasses + + + + "section-header" + + + + + + + initialValue + + "Инциденты по заявлениям ЕПГУ" + + + + label + + null + + + + + + + + +false + + + + d7d54cfb-26b5-4dba-b56f-b6247183c24d + 2a329c6b-a8c8-44fc-a430-18680d86adeb + ГК График и показатели + true + false + + + + + + +9d1b5af1-0b8f-4b1b-b9a5-c2e6acf72d91 +e2fa1d0e-9d53-4aeb-93b4-84e074f91207 +ВК График +true +false + + + + style + + + + width + + "50%" + + + + + + + + + + + + + 85eb12aa-f878-4e29-b109-9d31af0fefb4 + 05be91f9-c3d9-4592-9b35-b704f9809aeb + График бублик 3 + true + false + + false + false + + + + + chartService + + + + chartType + +"DOUGHNUT" + + + + dataSetService + + + + centerLabelConfigurations + + + + + + aggregationFunction + +"SUM" + + + + font + + + + family + + "GolosUI" + + + + size + + 25 + + + + weight + + "550" + + + + + + + loadDao + + + + graph + + {"conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"nodeByIndex":{"0":{"tableName":"incidents_epgu_info","schemaName":"actualization","x":346.0,"y":87.0,"alias":"incidents_epgu_info","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"1":{"tableName":"recruitment","schemaName":"metrics","x":147.0,"y":118.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"nodes":[{"tableName":"incidents_epgu_info","schemaName":"actualization","x":346.0,"y":87.0,"alias":"incidents_epgu_info","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},{"tableName":"recruitment","schemaName":"metrics","x":147.0,"y":118.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}],"nodeByEntityName":{"recruitment":{"tableName":"recruitment","schemaName":"metrics","x":147.0,"y":118.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"incidents_epgu_info":{"tableName":"incidents_epgu_info","schemaName":"actualization","x":346.0,"y":87.0,"alias":"incidents_epgu_info","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"matrix":[[null,{"refOnEntityName":"incidents_epgu_info","refToEntityName":"recruitment","refToColumns":[{"schema":"metrics","table":"recruitment","entity":"recruitment","name":"idm_id"}],"refOnColumns":[{"schema":"actualization","table":"incidents_epgu_info","entity":"incidents_epgu_info","name":"recruitment_id"}],"required":false,"cyclic":false,"conditionGroup":{"operator":"AND","conditions":[],"groups":[]}}],[null,null]],"mainNodeIndex":0} + + + + + DefaultLoadDao + database.dao + + + + + valueColumn + +{"schema":"actualization","table":"incidents_epgu_info","entity":"incidents_epgu_info","name":"count_registered"} + + + + + DefaultRoundLabelConfiguration + ervu_business_metrics.component.chart.label + + + + + + + + dataSetConfigurations + + + + + + columnAggregationDataSet + + + + aggregationData + + + + + + aggregationColumn + +{"schema":"actualization","table":"incidents_epgu_info","entity":"incidents_epgu_info","name":"count_resolved"} + + + + aggregationFunction + +"SUM" + + + + backgroundColor + +"#A1C2E0FF" + + + + label + +"Инцидентов зарегистрировано" + + + + + + + + + + aggregationColumn + +{"schema":"actualization","table":"view_incidents_epgu_info","entity":"view_incidents_epgu_info","name":"count_not_resolved"} + + + + aggregationFunction + +"SUM" + + + + backgroundColor + +"#F3F3F3FF" + + + + label + +" " + + + + + + + + + + + + dataLabel + + "Инцидентов зарегистрировано, в т.ч.:" + + + + + + + cutout + +"80%" + + + + datasetType + +"COLUMN_AGGREGATION" + + + + loadDao + + + + graph + + {"conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"nodeByIndex":{"0":{"tableName":"recruitment","schemaName":"metrics","x":103.0,"y":179.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"1":{"tableName":"incidents_epgu_info","schemaName":"actualization","x":297.0,"y":81.0,"alias":"incidents_epgu_info","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"2":{"tableName":"view_incidents_epgu_info","schemaName":"actualization","x":546.0,"y":125.0,"alias":"view_incidents_epgu_info","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"nodes":[{"tableName":"recruitment","schemaName":"metrics","x":103.0,"y":179.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},{"tableName":"incidents_epgu_info","schemaName":"actualization","x":297.0,"y":81.0,"alias":"incidents_epgu_info","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},{"tableName":"view_incidents_epgu_info","schemaName":"actualization","x":546.0,"y":125.0,"alias":"view_incidents_epgu_info","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}],"nodeByEntityName":{"view_incidents_epgu_info":{"tableName":"view_incidents_epgu_info","schemaName":"actualization","x":546.0,"y":125.0,"alias":"view_incidents_epgu_info","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"recruitment":{"tableName":"recruitment","schemaName":"metrics","x":103.0,"y":179.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"incidents_epgu_info":{"tableName":"incidents_epgu_info","schemaName":"actualization","x":297.0,"y":81.0,"alias":"incidents_epgu_info","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"matrix":[[null,null,null],[{"refOnEntityName":"incidents_epgu_info","refToEntityName":"recruitment","refToColumns":[{"schema":"metrics","table":"recruitment","entity":"recruitment","name":"idm_id"}],"refOnColumns":[{"schema":"actualization","table":"incidents_epgu_info","entity":"incidents_epgu_info","name":"recruitment_id"}],"required":false,"cyclic":false,"conditionGroup":{"operator":"AND","conditions":[],"groups":[]}},null,null],[null,{"refOnEntityName":"view_incidents_epgu_info","refToEntityName":"incidents_epgu_info","refToColumns":[{"schema":"actualization","table":"incidents_epgu_info","entity":"incidents_epgu_info","name":"incidents_epgu_info_id"}],"refOnColumns":[{"schema":"actualization","table":"view_incidents_epgu_info","entity":"view_incidents_epgu_info","name":"incidents_epgu_info_id"}],"required":false,"cyclic":false,"conditionGroup":{"operator":"AND","conditions":[],"groups":[]}},null]],"mainNodeIndex":0} + + + + + DefaultLoadDao + database.dao + + + + + radius + +"80%" + + + + + + + + + + + + RoundSingleChartDataSetService + ervu_business_metrics.component.chart + + + + + + + + + + + ErvuChartV2 + ervu_business_metrics.component.chart + + true + + + cssClasses + + + + "graph-donut" + + + + + + legend + + + + display + +false + + + + + + + loadOnStart + + true + + + + + + + RoundArcCornersChartPlugin + ervu_business_metrics.component.chart.plugin + + true + true + + + + FilterReferences + ervu_business_metrics.component.filter + + true + true + + + references + + + + + + column + + "idm_id" + + + + dataConverter + + + + + + filterComponent + + {"objectId":"513939e4-6ebe-495e-b0cc-83f53650f9a8","packageName":"component.rpc","className":"TreeItemRpcService","type":"JAVA"} + + + + table + + "recruitment" + + + + +StaticFilterReference +ervu_business_metrics.component.filter + + + + + + + + + + FilterGroupDelegate + ervu_business_metrics.component.filter + + true + true + + + filterComponents + + + + {"objectId":"513939e4-6ebe-495e-b0cc-83f53650f9a8","packageName":"component.filter","className":"FilterComponent","type":"TS"} + + + + + + + liveFilter + + true + + + + triggerOnStart + + true + + + + + + + DoughnutCenterLabelsPlugin + ervu_business_metrics.component.chart.plugin + + true + true + + + formatters + + + + +NumberToLocalStringLabelFormatter +ervu_business_metrics.component.chart.plugin.formatters + + + + + + + + + + +d7d54cfb-26b5-4dba-b56f-b6247183c24d +63555de1-b489-4349-9577-d58035d46a11 +Горизонтальный контейнер +true +true + + +9d1b5af1-0b8f-4b1b-b9a5-c2e6acf72d91 +42f30a67-6547-4759-9c2b-c65651c5a113 +Вертикальный контейнер +true +false + + + + cssClasses + + + + "graph-legend-right" + + + + + + + + + + + + d7d54cfb-26b5-4dba-b56f-b6247183c24d + 8d210b45-f8a4-443d-b3e1-34990a746016 + Hbox + true + false + + + + cssClasses + + + + "subhead" + + + + + + + + + + + + ba24d307-0b91-4299-ba82-9d0b52384ff2 + 20e6c5e8-c0a1-48c3-be00-75517a2cf0f1 + 5 000 + false + false + + + + initialValue + + null + + + + textFormatter + + + NumberToLocalStringFormatter + ervu_business_metrics.formatter + + + + + + + + + + defaultValueColumn + + {"schema":"actualization","table":"incidents_epgu_info","entity":"incidents_epgu_info","name":"count_registered"} + + + + loadType + + "BY_COLUMN" + + + + + + + + loadType + + "BY_COLUMN" + + + + valueByEventColumn + + {"schema":"actualization","table":"incidents_epgu_info","entity":"incidents_epgu_info","name":"count_registered"} + + + + + + false + + + + 9d1b5af1-0b8f-4b1b-b9a5-c2e6acf72d91 + 891b4533-40bf-4940-bb0f-7cf8be6a5c94 + Вертикальный контейнер + true + false + + + + cssClasses + + + +"text-wrap" + + + + + + + + + + + + + ba24d307-0b91-4299-ba82-9d0b52384ff2 + e0892763-5b67-4eec-ab72-90659a144c77 + Инцидентов зарегистрировано, в т.ч.: + false + false + + + + initialValue + + "Инцидентов зарегистрировано, в т.ч.:" + + + + label + + null + + + + tooltip + + "Инцидентов зарегистрировано, в т.ч.:" + + + + + + + + + false + + + + + + ba24d307-0b91-4299-ba82-9d0b52384ff2 + 185512eb-b739-44dd-8119-dbb973bb2574 + Пустое поле + false + true + + + d7d54cfb-26b5-4dba-b56f-b6247183c24d + 63555de1-b489-4349-9577-d58035d46a11 + Горизонтальный контейнер + true + false + + + + + + + 9d1b5af1-0b8f-4b1b-b9a5-c2e6acf72d91 + 0bad1580-47a4-46d4-9556-048273647754 + Vbox% + true + false + + + + cssClasses + + + + + + + + + + + + ba24d307-0b91-4299-ba82-9d0b52384ff2 + b05d366a-9ab1-4347-89fd-9737bf4436cb + 60% + false + false + + + + cssClasses + + + + "legend-col-blue" + + + + + "text-invert" + + + + + + initialValue + + null + + + + label + + "%" + + + + textFormatter + + +NumberToLocalStringFormatter +ervu_business_metrics.formatter + + + + + + + + + + defaultValueColumn + + {"schema":"actualization","table":"view_incidents_epgu_info","entity":"view_incidents_epgu_info","name":"percent_resolved"} + + + + loadType + + "BY_COLUMN" + + + + + + + + loadType + + "BY_COLUMN" + + + + valueByEventColumn + + {"schema":"actualization","table":"view_incidents_epgu_info","entity":"view_incidents_epgu_info","name":"percent_resolved"} + + + + + + false + + + + + 9d1b5af1-0b8f-4b1b-b9a5-c2e6acf72d91 + d54307ed-0d81-4ff4-b226-75b7feaa3807 + VboxValue + true + false + + + + + + + ba24d307-0b91-4299-ba82-9d0b52384ff2 + ce9d04a6-7bdc-4367-b2b4-efad018096d3 + 3 000 + false + false + + + + cssClasses + + + + "pull-right" + + + + + + initialValue + + null + + + + textFormatter + + +NumberToLocalStringFormatter +ervu_business_metrics.formatter + + + + + + + + + + defaultValueColumn + + {"schema":"actualization","table":"incidents_epgu_info","entity":"incidents_epgu_info","name":"count_resolved"} + + + + loadType + + "BY_COLUMN" + + + + + + + + loadType + + "BY_COLUMN" + + + + valueByEventColumn + + {"schema":"actualization","table":"incidents_epgu_info","entity":"incidents_epgu_info","name":"count_resolved"} + + + + + + false + + + + + 9d1b5af1-0b8f-4b1b-b9a5-c2e6acf72d91 + d27b8269-0fa3-4090-ad6f-0363e230f3d8 + ВК Показатели + true + false + + + + cssClasses + + + +"text-wrap" + + + + + + style + + + +width + + null + + + + + + + + + + + + + d7d54cfb-26b5-4dba-b56f-b6247183c24d + 0624a585-9df7-45c0-802d-90a71068fb27 + ГК Показатель + true + true + + + d7d54cfb-26b5-4dba-b56f-b6247183c24d + 829f35be-86dd-4f2f-8f49-ad2331fafbef + ГК Показатель + true + true + + + d7d54cfb-26b5-4dba-b56f-b6247183c24d + 5d8c268c-3689-4f61-b909-ef480bf5e617 + ГК Показатель + true + true + + + d7d54cfb-26b5-4dba-b56f-b6247183c24d + 6d1f0646-a606-4a0d-92f6-5c856b25292b + ГК Показатель + true + true + + + d7d54cfb-26b5-4dba-b56f-b6247183c24d + 8fe55b8a-bd96-4931-9b4c-054a998cda21 + Горизонтальный контейнер + true + true + + + d7d54cfb-26b5-4dba-b56f-b6247183c24d + 783150b4-31e7-41e9-b931-1f1760bf7b38 + Горизонтальный контейнер + true + true + + + d7d54cfb-26b5-4dba-b56f-b6247183c24d + 3737e905-ece3-4de0-b40d-37d0fef67504 + Горизонтальный контейнер + true + true + + + ba24d307-0b91-4299-ba82-9d0b52384ff2 + 78f3c32a-f2d8-4ad7-86d8-4c05ab790ba9 + Инцидентов разрешено + false + false + + + + initialValue + + "Инцидентов разрешено" + + + + label + + null + + + + tooltip + + "Инцидентов разрешено" + + + + + + + + + false + + + + + + + 9d1b5af1-0b8f-4b1b-b9a5-c2e6acf72d91 9607094d-d4da-4806-bd17-816e6ae9f155 @@ -15895,6 +15793,12 @@ + + + visible + + false + @@ -17226,27 +17130,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -17324,27 +17209,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -17422,27 +17288,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -17520,27 +17367,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -17618,27 +17446,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -17716,27 +17525,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -17814,27 +17604,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -17912,27 +17683,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -18010,27 +17762,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -18114,27 +17847,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -18206,27 +17920,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -18298,27 +17993,9 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - + false - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -18390,27 +18067,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -18482,27 +18140,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -18574,27 +18213,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -18666,27 +18286,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -18758,27 +18359,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -19587,1239 +19169,6 @@ false - - - - - - 9d1b5af1-0b8f-4b1b-b9a5-c2e6acf72d91 - 2802c20b-a52d-4e61-99f5-6ba02cfd8500 - ВК Инциденты по заявлениям ЕПГУ - true - false - - - - cssClasses - - - - "block-section" - - - - - - - style - - - - height - - null - - - - width - - "50%" - - - - - - - - - true - - - service - - - - loadDao - - - - graph - -{"conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"nodeByIndex":{"0":{"tableName":"recruitment","schemaName":"metrics","x":155.0,"y":210.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[{"column":{"schema":"metrics","table":"recruitment","entity":"recruitment","name":"schema"},"operation":"EQUAL","typeCode":"CONST","values":["\"Ministry\""]}],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"1":{"tableName":"incidents_epgu_info","schemaName":"actualization","x":342.0,"y":139.0,"alias":"incidents_epgu_info","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"2":{"tableName":"view_incidents_epgu_info","schemaName":"actualization","x":574.0,"y":211.0,"alias":"view_incidents_epgu_info","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"nodes":[{"tableName":"recruitment","schemaName":"metrics","x":155.0,"y":210.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[{"column":{"schema":"metrics","table":"recruitment","entity":"recruitment","name":"schema"},"operation":"EQUAL","typeCode":"CONST","values":["\"Ministry\""]}],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},{"tableName":"incidents_epgu_info","schemaName":"actualization","x":342.0,"y":139.0,"alias":"incidents_epgu_info","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},{"tableName":"view_incidents_epgu_info","schemaName":"actualization","x":574.0,"y":211.0,"alias":"view_incidents_epgu_info","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}],"nodeByEntityName":{"view_incidents_epgu_info":{"tableName":"view_incidents_epgu_info","schemaName":"actualization","x":574.0,"y":211.0,"alias":"view_incidents_epgu_info","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"recruitment":{"tableName":"recruitment","schemaName":"metrics","x":155.0,"y":210.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[{"column":{"schema":"metrics","table":"recruitment","entity":"recruitment","name":"schema"},"operation":"EQUAL","typeCode":"CONST","values":["\"Ministry\""]}],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"incidents_epgu_info":{"tableName":"incidents_epgu_info","schemaName":"actualization","x":342.0,"y":139.0,"alias":"incidents_epgu_info","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"matrix":[[null,null,null],[{"refOnEntityName":"incidents_epgu_info","refToEntityName":"recruitment","refToColumns":[{"schema":"metrics","table":"recruitment","entity":"recruitment","name":"idm_id"}],"refOnColumns":[{"schema":"actualization","table":"incidents_epgu_info","entity":"incidents_epgu_info","name":"recruitment_id"}],"required":false,"cyclic":false,"conditionGroup":{"operator":"AND","conditions":[],"groups":[]}},null,null],[null,{"refOnEntityName":"view_incidents_epgu_info","refToEntityName":"incidents_epgu_info","refToColumns":[{"schema":"actualization","table":"incidents_epgu_info","entity":"incidents_epgu_info","name":"incidents_epgu_info_id"}],"refOnColumns":[{"schema":"actualization","table":"view_incidents_epgu_info","entity":"view_incidents_epgu_info","name":"incidents_epgu_info_id"}],"required":false,"cyclic":false,"conditionGroup":{"operator":"AND","conditions":[],"groups":[]}},null]],"mainNodeIndex":1} - - - - - DefaultLoadDao - database.dao - - - - - - ProjectDefaultValueLoaderServiceImpl - service.loading - - - - - - - true - - - true - - - eventRefs - - - - - - behavior - - {"objectId":"513939e4-6ebe-495e-b0cc-83f53650f9a8","packageName":"component.field","className":"DropdownTreeViewComponent","type":"TS"} - - - - propertyName - - "valueChangeEvent" - - - - - - - - - - behavior - - {"objectId":"2802c20b-a52d-4e61-99f5-6ba02cfd8500","packageName":"custom","className":"ContainerLoader","type":"TS"} - - - - propertyName - - "beforeStart" - - - - - - - - - loadParams - - - - - - objectValue - - - - argument - - null - - - - behavior - - {"objectId":"513939e4-6ebe-495e-b0cc-83f53650f9a8","packageName":"component.field","className":"DropdownTreeViewComponent","type":"TS"} - - - - method - - "getBusinessId" - - - - - - - - - - - - - - true - - - containerValueLoaderService - - - - loadDao - - - - graph - -{"conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"nodeByIndex":{"0":{"tableName":"incidents_epgu_info","schemaName":"actualization","x":268.0,"y":121.0,"alias":"incidents_epgu_info","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"1":{"tableName":"view_incidents_epgu_info","schemaName":"actualization","x":517.0,"y":128.0,"alias":"view_incidents_epgu_info","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"2":{"tableName":"recruitment","schemaName":"metrics","x":110.0,"y":273.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"nodes":[{"tableName":"incidents_epgu_info","schemaName":"actualization","x":268.0,"y":121.0,"alias":"incidents_epgu_info","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},{"tableName":"view_incidents_epgu_info","schemaName":"actualization","x":517.0,"y":128.0,"alias":"view_incidents_epgu_info","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},{"tableName":"recruitment","schemaName":"metrics","x":110.0,"y":273.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}],"nodeByEntityName":{"view_incidents_epgu_info":{"tableName":"view_incidents_epgu_info","schemaName":"actualization","x":517.0,"y":128.0,"alias":"view_incidents_epgu_info","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"recruitment":{"tableName":"recruitment","schemaName":"metrics","x":110.0,"y":273.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"incidents_epgu_info":{"tableName":"incidents_epgu_info","schemaName":"actualization","x":268.0,"y":121.0,"alias":"incidents_epgu_info","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"matrix":[[null,null,{"refOnEntityName":"incidents_epgu_info","refToEntityName":"recruitment","refToColumns":[{"schema":"metrics","table":"recruitment","entity":"recruitment","name":"idm_id"}],"refOnColumns":[{"schema":"actualization","table":"incidents_epgu_info","entity":"incidents_epgu_info","name":"recruitment_id"}],"required":false,"cyclic":false,"conditionGroup":{"operator":"AND","conditions":[],"groups":[]}}],[{"refOnEntityName":"view_incidents_epgu_info","refToEntityName":"incidents_epgu_info","refToColumns":[{"schema":"actualization","table":"incidents_epgu_info","entity":"incidents_epgu_info","name":"incidents_epgu_info_id"}],"refOnColumns":[{"schema":"actualization","table":"view_incidents_epgu_info","entity":"view_incidents_epgu_info","name":"incidents_epgu_info_id"}],"required":false,"cyclic":false,"conditionGroup":{"operator":"AND","conditions":[],"groups":[]}},null,null],[null,null,null]],"mainNodeIndex":0} - - - - - DefaultLoadDao - database.dao - - - - - replacePkColumn - - {"schema":"metrics","table":"recruitment","entity":"recruitment","name":"idm_id"} - - - - - ContainerByPkValueLoaderServiceImpl - service.loading - - - - - - - ba24d307-0b91-4299-ba82-9d0b52384ff2 - d7d075e1-2e0d-4980-8b29-c108f4c06a88 - Инциденты по заявлениям ЕПГУ - false - false - - - - cssClasses - - - - "section-header" - - - - - - - initialValue - - "Инциденты по заявлениям ЕПГУ" - - - - label - - null - - - - - - - - -false - - - - d7d54cfb-26b5-4dba-b56f-b6247183c24d - 2a329c6b-a8c8-44fc-a430-18680d86adeb - ГК График и показатели - true - false - - - - - - -9d1b5af1-0b8f-4b1b-b9a5-c2e6acf72d91 -e2fa1d0e-9d53-4aeb-93b4-84e074f91207 -ВК График -true -false - - - - style - - - - width - - "50%" - - - - - - - - - - - - - 85eb12aa-f878-4e29-b109-9d31af0fefb4 - 05be91f9-c3d9-4592-9b35-b704f9809aeb - График бублик 3 - true - false - - false - false - - - - - chartService - - - - chartType - -"DOUGHNUT" - - - - dataSetService - - - - centerLabelConfigurations - - - - - - aggregationFunction - -"SUM" - - - - font - - - - family - - "GolosUI" - - - - size - - 25 - - - - weight - - "550" - - - - - - - loadDao - - - - graph - - {"conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"nodeByIndex":{"0":{"tableName":"incidents_epgu_info","schemaName":"actualization","x":346.0,"y":87.0,"alias":"incidents_epgu_info","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"1":{"tableName":"recruitment","schemaName":"metrics","x":147.0,"y":118.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"nodes":[{"tableName":"incidents_epgu_info","schemaName":"actualization","x":346.0,"y":87.0,"alias":"incidents_epgu_info","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},{"tableName":"recruitment","schemaName":"metrics","x":147.0,"y":118.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}],"nodeByEntityName":{"recruitment":{"tableName":"recruitment","schemaName":"metrics","x":147.0,"y":118.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"incidents_epgu_info":{"tableName":"incidents_epgu_info","schemaName":"actualization","x":346.0,"y":87.0,"alias":"incidents_epgu_info","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"matrix":[[null,{"refOnEntityName":"incidents_epgu_info","refToEntityName":"recruitment","refToColumns":[{"schema":"metrics","table":"recruitment","entity":"recruitment","name":"idm_id"}],"refOnColumns":[{"schema":"actualization","table":"incidents_epgu_info","entity":"incidents_epgu_info","name":"recruitment_id"}],"required":false,"cyclic":false,"conditionGroup":{"operator":"AND","conditions":[],"groups":[]}}],[null,null]],"mainNodeIndex":0} - - - - - DefaultLoadDao - database.dao - - - - - valueColumn - -{"schema":"actualization","table":"incidents_epgu_info","entity":"incidents_epgu_info","name":"count_registered"} - - - - - DefaultRoundLabelConfiguration - ervu_business_metrics.component.chart.label - - - - - - - - dataSetConfigurations - - - - - - columnAggregationDataSet - - - - aggregationData - - - - - - aggregationColumn - -{"schema":"actualization","table":"incidents_epgu_info","entity":"incidents_epgu_info","name":"count_resolved"} - - - - aggregationFunction - -"SUM" - - - - backgroundColor - -"#A1C2E0FF" - - - - label - -"Инцидентов зарегистрировано" - - - - - - - - - - aggregationColumn - -{"schema":"actualization","table":"view_incidents_epgu_info","entity":"view_incidents_epgu_info","name":"count_not_resolved"} - - - - aggregationFunction - -"SUM" - - - - backgroundColor - -"#F3F3F3FF" - - - - label - -" " - - - - - - - - - - - - dataLabel - - "Инцидентов зарегистрировано, в т.ч.:" - - - - - - - cutout - -"80%" - - - - datasetType - -"COLUMN_AGGREGATION" - - - - loadDao - - - - graph - - {"conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"nodeByIndex":{"0":{"tableName":"recruitment","schemaName":"metrics","x":103.0,"y":179.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"1":{"tableName":"incidents_epgu_info","schemaName":"actualization","x":297.0,"y":81.0,"alias":"incidents_epgu_info","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"2":{"tableName":"view_incidents_epgu_info","schemaName":"actualization","x":546.0,"y":125.0,"alias":"view_incidents_epgu_info","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"nodes":[{"tableName":"recruitment","schemaName":"metrics","x":103.0,"y":179.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},{"tableName":"incidents_epgu_info","schemaName":"actualization","x":297.0,"y":81.0,"alias":"incidents_epgu_info","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},{"tableName":"view_incidents_epgu_info","schemaName":"actualization","x":546.0,"y":125.0,"alias":"view_incidents_epgu_info","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}],"nodeByEntityName":{"view_incidents_epgu_info":{"tableName":"view_incidents_epgu_info","schemaName":"actualization","x":546.0,"y":125.0,"alias":"view_incidents_epgu_info","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"recruitment":{"tableName":"recruitment","schemaName":"metrics","x":103.0,"y":179.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"incidents_epgu_info":{"tableName":"incidents_epgu_info","schemaName":"actualization","x":297.0,"y":81.0,"alias":"incidents_epgu_info","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"matrix":[[null,null,null],[{"refOnEntityName":"incidents_epgu_info","refToEntityName":"recruitment","refToColumns":[{"schema":"metrics","table":"recruitment","entity":"recruitment","name":"idm_id"}],"refOnColumns":[{"schema":"actualization","table":"incidents_epgu_info","entity":"incidents_epgu_info","name":"recruitment_id"}],"required":false,"cyclic":false,"conditionGroup":{"operator":"AND","conditions":[],"groups":[]}},null,null],[null,{"refOnEntityName":"view_incidents_epgu_info","refToEntityName":"incidents_epgu_info","refToColumns":[{"schema":"actualization","table":"incidents_epgu_info","entity":"incidents_epgu_info","name":"incidents_epgu_info_id"}],"refOnColumns":[{"schema":"actualization","table":"view_incidents_epgu_info","entity":"view_incidents_epgu_info","name":"incidents_epgu_info_id"}],"required":false,"cyclic":false,"conditionGroup":{"operator":"AND","conditions":[],"groups":[]}},null]],"mainNodeIndex":0} - - - - - DefaultLoadDao - database.dao - - - - - radius - -"80%" - - - - - - - - - - - - RoundSingleChartDataSetService - ervu_business_metrics.component.chart - - - - - - - - - - - ErvuChartV2 - ervu_business_metrics.component.chart - - true - - - cssClasses - - - - "graph-donut" - - - - - - legend - - - - display - -false - - - - - - - loadOnStart - - true - - - - - - - RoundArcCornersChartPlugin - ervu_business_metrics.component.chart.plugin - - true - true - - - - FilterReferences - ervu_business_metrics.component.filter - - true - true - - - references - - - - - - column - - "idm_id" - - - - dataConverter - - - - - - filterComponent - - {"objectId":"513939e4-6ebe-495e-b0cc-83f53650f9a8","packageName":"component.rpc","className":"TreeItemRpcService","type":"JAVA"} - - - - table - - "recruitment" - - - - -StaticFilterReference -ervu_business_metrics.component.filter - - - - - - - - - - FilterGroupDelegate - ervu_business_metrics.component.filter - - true - true - - - filterComponents - - - - {"objectId":"513939e4-6ebe-495e-b0cc-83f53650f9a8","packageName":"component.filter","className":"FilterComponent","type":"TS"} - - - - - - - liveFilter - - true - - - - triggerOnStart - - true - - - - - - - DoughnutCenterLabelsPlugin - ervu_business_metrics.component.chart.plugin - - true - true - - - formatters - - - - -NumberToLocalStringLabelFormatter -ervu_business_metrics.component.chart.plugin.formatters - - - - - - - - - - -d7d54cfb-26b5-4dba-b56f-b6247183c24d -63555de1-b489-4349-9577-d58035d46a11 -Горизонтальный контейнер -true -true - - -9d1b5af1-0b8f-4b1b-b9a5-c2e6acf72d91 -42f30a67-6547-4759-9c2b-c65651c5a113 -Вертикальный контейнер -true -false - - - - cssClasses - - - - "graph-legend-right" - - - - - - - - - - - - d7d54cfb-26b5-4dba-b56f-b6247183c24d - 8d210b45-f8a4-443d-b3e1-34990a746016 - Hbox - true - false - - - - cssClasses - - - - "subhead" - - - - - - - - - - - - ba24d307-0b91-4299-ba82-9d0b52384ff2 - 20e6c5e8-c0a1-48c3-be00-75517a2cf0f1 - 5 000 - false - false - - - - initialValue - - null - - - - textFormatter - - - -replaceModels - - - - - - value - - "0" - - - - - - - - - - ReplaceValueTextFormatter - ervu_business_metrics.formatter - - - - - - - - - - defaultValueColumn - - {"schema":"actualization","table":"incidents_epgu_info","entity":"incidents_epgu_info","name":"count_registered"} - - - - loadType - - "BY_COLUMN" - - - - - - - - loadType - - "BY_COLUMN" - - - - valueByEventColumn - - {"schema":"actualization","table":"incidents_epgu_info","entity":"incidents_epgu_info","name":"count_registered"} - - - - - - false - - - - 9d1b5af1-0b8f-4b1b-b9a5-c2e6acf72d91 - 891b4533-40bf-4940-bb0f-7cf8be6a5c94 - Вертикальный контейнер - true - false - - - - cssClasses - - - -"text-wrap" - - - - - - - - - - - - - ba24d307-0b91-4299-ba82-9d0b52384ff2 - e0892763-5b67-4eec-ab72-90659a144c77 - Инцидентов зарегистрировано, в т.ч.: - false - false - - - - initialValue - - "Инцидентов зарегистрировано, в т.ч.:" - - - - label - - null - - - - tooltip - - "Инцидентов зарегистрировано, в т.ч.:" - - - - - - - - - false - - - - - - ba24d307-0b91-4299-ba82-9d0b52384ff2 - 185512eb-b739-44dd-8119-dbb973bb2574 - Пустое поле - false - true - - - d7d54cfb-26b5-4dba-b56f-b6247183c24d - 63555de1-b489-4349-9577-d58035d46a11 - Горизонтальный контейнер - true - false - - - - - - - 9d1b5af1-0b8f-4b1b-b9a5-c2e6acf72d91 - 0bad1580-47a4-46d4-9556-048273647754 - Vbox% - true - false - - - - cssClasses - - - - - - - - - - - - ba24d307-0b91-4299-ba82-9d0b52384ff2 - b05d366a-9ab1-4347-89fd-9737bf4436cb - 60% - false - false - - - - cssClasses - - - - "legend-col-blue" - - - - - "text-invert" - - - - - - initialValue - - null - - - - label - - "%" - - - - textFormatter - - - - replaceModels - - - - - - value - - "0" - - - - - - - - - -ReplaceValueTextFormatter -ervu_business_metrics.formatter - - - - - - - - - - defaultValueColumn - - {"schema":"actualization","table":"view_incidents_epgu_info","entity":"view_incidents_epgu_info","name":"percent_resolved"} - - - - loadType - - "BY_COLUMN" - - - - - - - - loadType - - "BY_COLUMN" - - - - valueByEventColumn - - {"schema":"actualization","table":"view_incidents_epgu_info","entity":"view_incidents_epgu_info","name":"percent_resolved"} - - - - - - false - - - - - 9d1b5af1-0b8f-4b1b-b9a5-c2e6acf72d91 - d54307ed-0d81-4ff4-b226-75b7feaa3807 - VboxValue - true - false - - - - - - - ba24d307-0b91-4299-ba82-9d0b52384ff2 - ce9d04a6-7bdc-4367-b2b4-efad018096d3 - 3 000 - false - false - - - - cssClasses - - - - "pull-right" - - - - - - initialValue - - null - - - - textFormatter - - - - replaceModels - - - - - - value - - "0" - - - - - - - - - -ReplaceValueTextFormatter -ervu_business_metrics.formatter - - - - - - - - - - defaultValueColumn - - {"schema":"actualization","table":"incidents_epgu_info","entity":"incidents_epgu_info","name":"count_resolved"} - - - - loadType - - "BY_COLUMN" - - - - - - - - loadType - - "BY_COLUMN" - - - - valueByEventColumn - - {"schema":"actualization","table":"incidents_epgu_info","entity":"incidents_epgu_info","name":"count_resolved"} - - - - - - false - - - - - 9d1b5af1-0b8f-4b1b-b9a5-c2e6acf72d91 - d27b8269-0fa3-4090-ad6f-0363e230f3d8 - ВК Показатели - true - false - - - - cssClasses - - - -"text-wrap" - - - - - - style - - - -width - - null - - - - - - - - - - - - - d7d54cfb-26b5-4dba-b56f-b6247183c24d - 0624a585-9df7-45c0-802d-90a71068fb27 - ГК Показатель - true - true - - - d7d54cfb-26b5-4dba-b56f-b6247183c24d - 829f35be-86dd-4f2f-8f49-ad2331fafbef - ГК Показатель - true - true - - - d7d54cfb-26b5-4dba-b56f-b6247183c24d - 5d8c268c-3689-4f61-b909-ef480bf5e617 - ГК Показатель - true - true - - - d7d54cfb-26b5-4dba-b56f-b6247183c24d - 6d1f0646-a606-4a0d-92f6-5c856b25292b - ГК Показатель - true - true - - - d7d54cfb-26b5-4dba-b56f-b6247183c24d - 8fe55b8a-bd96-4931-9b4c-054a998cda21 - Горизонтальный контейнер - true - true - - - d7d54cfb-26b5-4dba-b56f-b6247183c24d - 783150b4-31e7-41e9-b931-1f1760bf7b38 - Горизонтальный контейнер - true - true - - - d7d54cfb-26b5-4dba-b56f-b6247183c24d - 3737e905-ece3-4de0-b40d-37d0fef67504 - Горизонтальный контейнер - true - true - - - ba24d307-0b91-4299-ba82-9d0b52384ff2 - 78f3c32a-f2d8-4ad7-86d8-4c05ab790ba9 - Инцидентов разрешено - false - false - - - - initialValue - - "Инцидентов разрешено" - - - - label - - null - - - - tooltip - - "Инцидентов разрешено" - - - - - - - - - false - - - @@ -20838,6 +19187,7 @@ 683da71b-655f-45c5-b5fe-da914b814cc2 ВК Личное посещение ВК true + false false @@ -20874,6 +19224,7 @@ 08c9fc47-4f2e-428e-adf8-eb30f0d8b91d ВК записей граждан отредактировано true + false false @@ -21098,27 +19449,8 @@ textFormatter - - - replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -21214,6 +19546,16 @@ "block-section" + + + "block-colored" + + + + + "colored-green" + + @@ -21388,10 +19730,17 @@ - + + d7d54cfb-26b5-4dba-b56f-b6247183c24d + 12691ab9-6ade-474d-943e-a283c148d81c + ГК График и показатели + true + true + + ba24d307-0b91-4299-ba82-9d0b52384ff2 - 17dd07b0-84b2-4222-82bd-d7c55333c4bb - Инциденты + 662d17ac-eae3-4ba1-93b3-904a268bf65e + 1 false false @@ -21399,24 +19748,83 @@ cssClasses - + - "section-header" + "title" - initialValue - "Инциденты" + null - label + textFormatter - null + + NumberToLocalStringFormatter + ervu_business_metrics.formatter + + + + + + + + + + defaultValueColumn + + {"schema":"actualization","table":"incidents_info","entity":"incidents_info","name":"count_without_id_ern"} + + + + loadType + + "BY_COLUMN" + + + + + + + + loadType + + "BY_COLUMN" + + + + valueByEventColumn + + {"schema":"actualization","table":"incidents_info","entity":"incidents_info","name":"count_without_id_ern"} + + + + + +false + + + + ba24d307-0b91-4299-ba82-9d0b52384ff2 + 4f0daa6f-60fa-48a0-aa8e-20e0b007a892 + Пустое поле + false + false + + + + cssClasses + + + + "graph-text-hidden" + + @@ -21428,1237 +19836,129 @@ false - - d7d54cfb-26b5-4dba-b56f-b6247183c24d - 12691ab9-6ade-474d-943e-a283c148d81c - ГК График и показатели - true + + ba24d307-0b91-4299-ba82-9d0b52384ff2 + cdb89213-59ee-416d-a878-c80f85251db5 + Пустое поле + false false - - - - - - -9d1b5af1-0b8f-4b1b-b9a5-c2e6acf72d91 -ce72894e-f23d-4836-8d12-f59048a2e280 -ВК График -true -false - - - - style - - - - width - - null - - - - - - - - - - - - - 85eb12aa-f878-4e29-b109-9d31af0fefb4 - 864e2360-7980-40ca-9db3-1f447e211997 - График бублик 3 - true - false - - false - false - - - - - chartService + + + + cssClasses + + - - - chartType - -"DOUGHNUT" - - - - dataSetService - - - - centerLabelConfigurations - - - - - - aggregationFunction - -"SUM" - - - - font - - - - family - - "GolosUI" - - - - size - - 25 - - - - weight - - "550" - - - - - - - loadDao - - - - graph - - {"conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"nodeByIndex":{"0":{"tableName":"incidents_info","schemaName":"actualization","x":353.0,"y":159.0,"alias":"incidents_info","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"1":{"tableName":"view_incidents_info","schemaName":"actualization","x":552.0,"y":173.0,"alias":"view_incidents_info","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"2":{"tableName":"recruitment","schemaName":"metrics","x":126.0,"y":209.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"nodes":[{"tableName":"incidents_info","schemaName":"actualization","x":353.0,"y":159.0,"alias":"incidents_info","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},{"tableName":"view_incidents_info","schemaName":"actualization","x":552.0,"y":173.0,"alias":"view_incidents_info","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},{"tableName":"recruitment","schemaName":"metrics","x":126.0,"y":209.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}],"nodeByEntityName":{"recruitment":{"tableName":"recruitment","schemaName":"metrics","x":126.0,"y":209.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"view_incidents_info":{"tableName":"view_incidents_info","schemaName":"actualization","x":552.0,"y":173.0,"alias":"view_incidents_info","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"incidents_info":{"tableName":"incidents_info","schemaName":"actualization","x":353.0,"y":159.0,"alias":"incidents_info","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"matrix":[[null,null,{"refOnEntityName":"incidents_info","refToEntityName":"recruitment","refToColumns":[{"schema":"metrics","table":"recruitment","entity":"recruitment","name":"idm_id"}],"refOnColumns":[{"schema":"actualization","table":"incidents_info","entity":"incidents_info","name":"recruitment_id"}],"required":false,"cyclic":false,"conditionGroup":{"operator":"AND","conditions":[],"groups":[]}}],[{"refOnEntityName":"view_incidents_info","refToEntityName":"incidents_info","refToColumns":[{"schema":"actualization","table":"incidents_info","entity":"incidents_info","name":"incidents_info_id"}],"refOnColumns":[{"schema":"actualization","table":"view_incidents_info","entity":"view_incidents_info","name":"incidents_info_id"}],"required":false,"cyclic":false,"conditionGroup":{"operator":"AND","conditions":[],"groups":[]}},null,null],[null,null,null]],"mainNodeIndex":0} - - - - - DefaultLoadDao - database.dao - - - - - valueColumn - -{"schema":"actualization","table":"view_incidents_info","entity":"view_incidents_info","name":"count_all"} - - - - - DefaultRoundLabelConfiguration - ervu_business_metrics.component.chart.label - + "graph-text-hidden" - + + + + + + +false + + + + ba24d307-0b91-4299-ba82-9d0b52384ff2 + cf5ad411-6a12-416c-8cea-c4ca9c09c827 + Пустое поле + false + false + + - dataSetConfigurations + cssClasses - + - - - columnAggregationDataSet - - - - aggregationData - - - - - - aggregationColumn - -{"schema":"actualization","table":"incidents_info","entity":"incidents_info","name":"count_without_id_ern"} - - - - aggregationFunction - -"SUM" - - - - backgroundColor - -"#96B9ADFF" - - - - label - -"По отсутсвию ИД ЕРН" - - - + "graph-text-hidden" - - - - - aggregationColumn - -{"schema":"actualization","table":"incidents_info","entity":"incidents_info","name":"count_discrepancy_epgu_info"} - - - - aggregationFunction - -"SUM" - - - - backgroundColor - -"#A1C2E0FF" - - - - label - -"По отсутствию СНИЛС" - - - - - - - - + + + + + + + + +false + + + + ba24d307-0b91-4299-ba82-9d0b52384ff2 + f49a5633-c990-459d-9104-eca697e49fa2 + Инцидентов по несоответствию + false + false + + + + cssClasses + + - dataLabel + initialValue - "Инцидентов сформировано в т.ч.:" + "Инцидентов по несоответствию" - - - - - cutout - -"80%" - - - - datasetType - -"COLUMN_AGGREGATION" - - - - loadDao - - - graph + tooltip - {"conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"nodeByIndex":{"0":{"tableName":"recruitment","schemaName":"metrics","x":158.0,"y":176.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"1":{"tableName":"incidents_info","schemaName":"actualization","x":411.0,"y":123.0,"alias":"incidents_info","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"nodes":[{"tableName":"recruitment","schemaName":"metrics","x":158.0,"y":176.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},{"tableName":"incidents_info","schemaName":"actualization","x":411.0,"y":123.0,"alias":"incidents_info","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}],"nodeByEntityName":{"recruitment":{"tableName":"recruitment","schemaName":"metrics","x":158.0,"y":176.0,"alias":"recruitment","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"},"incidents_info":{"tableName":"incidents_info","schemaName":"actualization","x":411.0,"y":123.0,"alias":"incidents_info","conditionGroup":{"operator":"AND","conditions":[],"groups":[]},"emptyEntityAction":"IGNORE_OR_DELETE"}},"matrix":[[null,null],[{"refOnEntityName":"incidents_info","refToEntityName":"recruitment","refToColumns":[{"schema":"metrics","table":"recruitment","entity":"recruitment","name":"idm_id"}],"refOnColumns":[{"schema":"actualization","table":"incidents_info","entity":"incidents_info","name":"recruitment_id"}],"required":false,"cyclic":false,"conditionGroup":{"operator":"AND","conditions":[],"groups":[]}},null]],"mainNodeIndex":1} + "Инцидентов по несоответствию сведений ЕРВУ и ручному вводу" - - - DefaultLoadDao - database.dao - - - - - radius - -"80%" - - - - - - - + + + + + + +false + + + + ba24d307-0b91-4299-ba82-9d0b52384ff2 + 78e0b42f-c829-493c-9cc6-b885b389142b + сведений ЕРВУ и ручному вводу + false + false + + + + cssClasses + + - - - RoundSingleChartDataSetService - ervu_business_metrics.component.chart - - - - - - - - - - - ErvuChartV2 - ervu_business_metrics.component.chart - - true - - - cssClasses - - - - "graph-donut" - - - - - - legend - - - - display - -false - - - - - - - loadOnStart - - true - - - - - - - RoundArcCornersChartPlugin - ervu_business_metrics.component.chart.plugin - - true - true - - - - FilterReferences - ervu_business_metrics.component.filter - - true - true - - - references - - - - - - column - - "idm_id" - - - - dataConverter - - - - - - filterComponent - - {"objectId":"513939e4-6ebe-495e-b0cc-83f53650f9a8","packageName":"component.rpc","className":"TreeItemRpcService","type":"JAVA"} - - - - table - - "recruitment" - - - - -StaticFilterReference -ervu_business_metrics.component.filter - - - - - - - - - - FilterGroupDelegate - ervu_business_metrics.component.filter - - true - true - - - filterComponents - - - - {"objectId":"513939e4-6ebe-495e-b0cc-83f53650f9a8","packageName":"component.filter","className":"FilterComponent","type":"TS"} - - - - - - - liveFilter - - true - - - - triggerOnStart - - true - - - - - - - DoughnutCenterLabelsPlugin - ervu_business_metrics.component.chart.plugin - - true - true - - - formatters - - - - -NumberToLocalStringLabelFormatter -ervu_business_metrics.component.chart.plugin.formatters - - - - - - - - - - -d7d54cfb-26b5-4dba-b56f-b6247183c24d -d47db17e-40c3-4d94-ba65-846d21587629 -ГК Показатели -true -true - - -9d1b5af1-0b8f-4b1b-b9a5-c2e6acf72d91 -c25a2418-923d-4b8c-bd03-c2257485bba3 -Вертикальный контейнер -true -false - - - - cssClasses - - - - "graph-legend-right" - - - - - - - - - - - - d7d54cfb-26b5-4dba-b56f-b6247183c24d - 36507fba-3345-4f92-af2a-59e268052bb0 - Hbox - true - false - - - - cssClasses - - - - "subhead" - - - - - - - - - - - - ba24d307-0b91-4299-ba82-9d0b52384ff2 - 8ee14586-e042-484e-af7e-7fa06264cc70 - 5 000 - false - false - - - - initialValue - - null - - - - textFormatter - - - -replaceModels - - + + initialValue - - - value - - "0" - - - + "сведений ЕРВУ и ручному вводу" - - - - - - ReplaceValueTextFormatter - ervu_business_metrics.formatter - - - - - - - - - - defaultValueColumn - - {"schema":"actualization","table":"view_incidents_info","entity":"view_incidents_info","name":"count_all"} - - - - loadType - - "BY_COLUMN" - - - - - - - - loadType - - "BY_COLUMN" - - - - valueByEventColumn - - {"schema":"actualization","table":"view_incidents_info","entity":"view_incidents_info","name":"count_all"} - - - - - - false - - - - 9d1b5af1-0b8f-4b1b-b9a5-c2e6acf72d91 - 5e36b808-b25e-4332-9f0d-f918497a411e - Вертикальный контейнер - true - false - - - - cssClasses - - - -"text-wrap" - - - - - - - - - - - - ba24d307-0b91-4299-ba82-9d0b52384ff2 - 520fcc08-127e-4470-941d-07cd635a9c90 - Инцидентов сформировано в т.ч.: - false - false - - - - initialValue - - "Инцидентов сформировано в т.ч.:" - - - - label - - null - - - - tooltip - - "Инцидентов сформировано в т.ч.:" - - - - - - - - - false - - - - - - ba24d307-0b91-4299-ba82-9d0b52384ff2 - 5f0323ec-fc16-404d-a511-9670c44d2ba6 - Пустое поле - false - true - - - d7d54cfb-26b5-4dba-b56f-b6247183c24d - d47db17e-40c3-4d94-ba65-846d21587629 - ГК Показатели - true - false - - - - cssClasses - - - - - - - - - - - - 9d1b5af1-0b8f-4b1b-b9a5-c2e6acf72d91 - d0b4a6cc-5ebe-4656-aff1-16df6bd6d71f - Vbox% - true - false - - - - cssClasses - - - - - - - - - - - - ba24d307-0b91-4299-ba82-9d0b52384ff2 - 908a7027-c61b-495d-91da-152e7ee33833 - 60% - false - false - - - - cssClasses - - - - "legend-col-dk-green" - - - - - "text-invert" - - - - - - initialValue - - null - - - - label - - "%" - - - - textFormatter - - - - replaceModels - - - - - - value - - "0" - - - - - - - - - -ReplaceValueTextFormatter -ervu_business_metrics.formatter - - - - - - - - - - defaultValueColumn - - {"schema":"actualization","table":"view_incidents_info","entity":"view_incidents_info","name":"percent_without_id_ern"} - - - - loadType - - "BY_COLUMN" - - - - - - - - loadType - - "BY_COLUMN" - - - - valueByEventColumn - - {"schema":"actualization","table":"view_incidents_info","entity":"view_incidents_info","name":"percent_without_id_ern"} - - - - - - false - - - - ba24d307-0b91-4299-ba82-9d0b52384ff2 - d54b45a8-1f96-493f-baa5-14c9ebabcfb4 - 40% - false - false - - - - cssClasses - - - - "legend-col-blue" - - - - - "text-invert" - - - - - - initialValue - - null - - - - label - - "%" - - - - textFormatter - - - - replaceModels - - - - - - value - - "0" - - - - - - - - - -ReplaceValueTextFormatter -ervu_business_metrics.formatter - - - - - - - - - - defaultValueColumn - - {"schema":"actualization","table":"view_incidents_info","entity":"view_incidents_info","name":"percent_discrepancy_epgu_info"} - - - - loadType - - "BY_COLUMN" - - - - - - - - loadType - - "BY_COLUMN" - - - - valueByEventColumn - - {"schema":"actualization","table":"view_incidents_info","entity":"view_incidents_info","name":"percent_discrepancy_epgu_info"} - - - - - - false - - - - - 9d1b5af1-0b8f-4b1b-b9a5-c2e6acf72d91 - a4db3b2c-e23e-498a-ac93-1db4851c9def - VboxValue - true - false - - - - - - - ba24d307-0b91-4299-ba82-9d0b52384ff2 - 32f2ddab-c68f-4c5a-8287-1d9c5a12c4cf - 3 000 - false - false - false - - - - cssClasses - - - - "pull-right" - - - - - - initialValue - - null - - - - textFormatter - - - - replaceModels - - - - - - value - - "0" - - - - - - - - - -ReplaceValueTextFormatter -ervu_business_metrics.formatter - - - - - - - - - - defaultValueColumn - - {"schema":"actualization","table":"incidents_info","entity":"incidents_info","name":"count_without_id_ern"} - - - - loadType - - "BY_COLUMN" - - - - - - - - loadType - - "BY_COLUMN" - - - - valueByEventColumn - - {"schema":"actualization","table":"incidents_info","entity":"incidents_info","name":"count_without_id_ern"} - - - - - - false - - - - ba24d307-0b91-4299-ba82-9d0b52384ff2 - 4bb8cfda-99ac-4769-8e1b-81f2f3eadd58 - 2 000 - false - false - - - - cssClasses - - - - "pull-right" - - - - - - initialValue - - null - - - - textFormatter - - - - replaceModels - - - - - - value - - "0" - - - - - - - - - -ReplaceValueTextFormatter -ervu_business_metrics.formatter - - - - - - - - - - defaultValueColumn - - {"schema":"actualization","table":"incidents_info","entity":"incidents_info","name":"count_discrepancy_epgu_info"} - - - - loadType - - "BY_COLUMN" - - - - - - - - loadType - - "BY_COLUMN" - - - - valueByEventColumn - - {"schema":"actualization","table":"incidents_info","entity":"incidents_info","name":"count_discrepancy_epgu_info"} - - - - - - false - - - - - 9d1b5af1-0b8f-4b1b-b9a5-c2e6acf72d91 - 689b3724-d162-4457-a063-129b1ee128de - ВК Показатели - true - false - - - - cssClasses - - - -"text-wrap" - - - - - - style - - - -width - - null - - - - - - - - - - - - - d7d54cfb-26b5-4dba-b56f-b6247183c24d - 353c8295-e7cb-4713-a4c0-816353621163 - ГК Показатель - true - true - - - d7d54cfb-26b5-4dba-b56f-b6247183c24d - 65a471fb-4d43-43d7-8570-47e1f4592d3a - ГК Показатель - true - true - - - d7d54cfb-26b5-4dba-b56f-b6247183c24d - c6d57f88-d8b3-481f-9b35-63013122e570 - ГК Показатель - true - true - - - d7d54cfb-26b5-4dba-b56f-b6247183c24d - 44e782a2-7cc4-4214-b00e-dc9c8abf9ac9 - ГК Показатель - true - true - - - d7d54cfb-26b5-4dba-b56f-b6247183c24d - 3df26a50-cd5b-489c-8546-287f5b0c88b7 - Горизонтальный контейнер - true - true - - - d7d54cfb-26b5-4dba-b56f-b6247183c24d - 37b1edfa-6832-4a0d-9d37-dd02c5c626f8 - Горизонтальный контейнер - true - true - - - d7d54cfb-26b5-4dba-b56f-b6247183c24d - 623287c1-1433-4dc1-9942-dd5f6721c647 - Горизонтальный контейнер - true - true - - - ba24d307-0b91-4299-ba82-9d0b52384ff2 - 329fa33c-5af4-4ba9-97e5-ca218d92a3b5 - По отсутсвию ИД ЕРН - false - false - - - - initialValue - - "По отсутсвию ИД ЕРН" - - - - label - - null - - - - tooltip - - "По отсутсвию ИД ЕРН" - - - - - - - - - false - - - - ba24d307-0b91-4299-ba82-9d0b52384ff2 - 0dc1d714-c11a-4775-b0e0-b8c0b4b7af72 - По отсутствию СНИЛС - false - false - - - - initialValue - - "По отсутствию СНИЛС" - - - - label - - null - - - - tooltip - - "По отсутствию СНИЛС" - - - - - - - - - false - - - - - + + + tooltip + + "Инцидентов по несоответствию сведений ЕРВУ и ручному вводу" + + + + + + + + +false + fd7e47b9-dce1-4d14-9f3a-580c79f59579 @@ -22674,6 +19974,7 @@ 45cf2023-1dee-46de-8a23-5160ff54a4d8 ГК Второй ряд true + false false @@ -22723,6 +20024,12 @@ + + + visible + + false + @@ -24045,27 +21352,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -24143,27 +21431,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -24241,27 +21510,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -24339,27 +21589,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -24437,27 +21668,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -24535,27 +21747,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -24633,27 +21826,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -24731,27 +21905,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -24829,27 +21984,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -24933,27 +22069,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -25025,27 +22142,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -25117,27 +22215,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -25209,27 +22288,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -25301,27 +22361,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -25393,27 +22434,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -25485,27 +22507,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -25577,27 +22580,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter @@ -25669,27 +22653,8 @@ textFormatter - - -replaceModels - - - - - - value - - "0" - - - - - - - - - ReplaceValueTextFormatter + NumberToLocalStringFormatter ervu_business_metrics.formatter diff --git a/resources/src/main/resources/database/datasource.xml b/resources/src/main/resources/database/datasource.xml index 77aa28d..de989c7 100644 --- a/resources/src/main/resources/database/datasource.xml +++ b/resources/src/main/resources/database/datasource.xml @@ -10,6 +10,7 @@ actualization admin_indicators deregistration + idm_reconcile init_registration_info journal_log metrics