mirror of
https://github.com/open-metadata/OpenMetadata.git
synced 2026-01-05 20:17:07 +00:00
Fix (ui) : tooltip for follower , manage button and Data asset tree (#21465)
* fix tooltip * fixed tooltip text * removed nested contions * removed unwated code * fixed mlmodel tooltip * fixed tree tooltip * addressed comments * fixed sonar tests * added classes to integrated with collate * reused entityUtilsClassBase * cleaned file * addressed comments * removed unncessary code * fixed sonar tests * fixed sonar tests * fixed comments
This commit is contained in:
parent
a3968d40b0
commit
a2694c6664
@ -13,7 +13,7 @@
|
||||
import Icon, { ExclamationCircleFilled } from '@ant-design/icons';
|
||||
import { Badge, Button, Col, Row, Tooltip, Typography } from 'antd';
|
||||
import classNames from 'classnames';
|
||||
import { capitalize, isEmpty } from 'lodash';
|
||||
import { isEmpty } from 'lodash';
|
||||
import React, { useMemo, useState } from 'react';
|
||||
import { useTranslation } from 'react-i18next';
|
||||
import { Link } from 'react-router-dom';
|
||||
@ -21,8 +21,10 @@ import { ReactComponent as ShareIcon } from '../../../assets/svg/copy-right.svg'
|
||||
import { ReactComponent as IconExternalLink } from '../../../assets/svg/external-link-grey.svg';
|
||||
import { ReactComponent as StarFilledIcon } from '../../../assets/svg/ic-star-filled.svg';
|
||||
import { ROUTES } from '../../../constants/constants';
|
||||
import { EntityType } from '../../../enums/entity.enum';
|
||||
import { useClipboard } from '../../../hooks/useClipBoard';
|
||||
import useCustomLocation from '../../../hooks/useCustomLocation/useCustomLocation';
|
||||
import entityUtilClassBase from '../../../utils/EntityUtilClassBase';
|
||||
import { getEntityName } from '../../../utils/EntityUtils';
|
||||
import { stringToHTML } from '../../../utils/StringsUtils';
|
||||
import './entity-header-title.less';
|
||||
@ -66,6 +68,11 @@ const EntityHeaderTitle = ({
|
||||
[location.pathname]
|
||||
);
|
||||
|
||||
const formattedEntityType = useMemo(
|
||||
() => entityUtilClassBase.getFormattedEntityType(entityType as EntityType),
|
||||
[entityType]
|
||||
);
|
||||
|
||||
const entityName = useMemo(
|
||||
() =>
|
||||
stringToHTML(
|
||||
@ -180,7 +187,7 @@ const EntityHeaderTitle = ({
|
||||
<Tooltip
|
||||
title={t('label.field-entity', {
|
||||
field: t(`label.${isFollowing ? 'un-follow' : 'follow'}`),
|
||||
entity: capitalize(entityType),
|
||||
entity: formattedEntityType,
|
||||
})}>
|
||||
<Button
|
||||
className="entity-follow-button flex-center gap-1 text-sm "
|
||||
|
||||
@ -24,6 +24,7 @@ export type ExploreTreeNode = {
|
||||
count?: number;
|
||||
totalCount?: number;
|
||||
type?: string | null;
|
||||
tooltip?: string;
|
||||
};
|
||||
|
||||
export type ExploreTreeProps = {
|
||||
|
||||
@ -39,6 +39,7 @@ import searchClassBase from '../../../utils/SearchClassBase';
|
||||
import { useTranslation } from 'react-i18next';
|
||||
import { DATA_DISCOVERY_DOCS } from '../../../constants/docs.constants';
|
||||
import { ERROR_PLACEHOLDER_TYPE, SIZE } from '../../../enums/common.enum';
|
||||
import entityUtilClassBase from '../../../utils/EntityUtilClassBase';
|
||||
import serviceUtilClassBase from '../../../utils/ServiceUtilClassBase';
|
||||
import { generateUUID } from '../../../utils/StringsUtils';
|
||||
import { showErrorToast } from '../../../utils/ToastUtils';
|
||||
@ -52,31 +53,36 @@ import {
|
||||
TreeNodeData,
|
||||
} from './ExploreTree.interface';
|
||||
|
||||
const ExploreTreeTitle = ({ node }: { node: ExploreTreeNode }) => (
|
||||
<Tooltip
|
||||
overlayInnerStyle={{ backgroundColor: '#000', opacity: 1 }}
|
||||
title={
|
||||
<Typography.Text className="text-white">
|
||||
{node.title}
|
||||
{node.type && (
|
||||
<span className="text-grey-400">{` (${node.type})`}</span>
|
||||
const ExploreTreeTitle = ({ node }: { node: ExploreTreeNode }) => {
|
||||
const tooltipText = node.tooltip ?? node.title;
|
||||
|
||||
return (
|
||||
<Tooltip
|
||||
title={
|
||||
<Typography.Text className="text-white">
|
||||
{tooltipText}
|
||||
{node.type && (
|
||||
<span className="text-grey-400">{` (${node.type})`}</span>
|
||||
)}
|
||||
</Typography.Text>
|
||||
}>
|
||||
<div className="d-flex justify-between">
|
||||
<Typography.Text
|
||||
className={classNames({
|
||||
'm-l-xss': node.data?.isRoot,
|
||||
})}
|
||||
data-testid={`explore-tree-title-${node.data?.dataId ?? node.title}`}>
|
||||
{node.title}
|
||||
</Typography.Text>
|
||||
{!isUndefined(node.count) && (
|
||||
<span className="explore-node-count">
|
||||
{getCountBadge(node.count)}
|
||||
</span>
|
||||
)}
|
||||
</Typography.Text>
|
||||
}>
|
||||
<div className="d-flex justify-between">
|
||||
<Typography.Text
|
||||
className={classNames({
|
||||
'm-l-xss': node.data?.isRoot,
|
||||
})}
|
||||
data-testid={`explore-tree-title-${node.data?.dataId ?? node.title}`}>
|
||||
{node.title}
|
||||
</Typography.Text>
|
||||
{!isUndefined(node.count) && (
|
||||
<span className="explore-node-count">{getCountBadge(node.count)}</span>
|
||||
)}
|
||||
</div>
|
||||
</Tooltip>
|
||||
);
|
||||
</div>
|
||||
</Tooltip>
|
||||
);
|
||||
};
|
||||
|
||||
const ExploreTree = ({ onFieldValueSelect }: ExploreTreeProps) => {
|
||||
const { t } = useTranslation();
|
||||
@ -207,12 +213,16 @@ const ExploreTree = ({ onFieldValueSelect }: ExploreTreeProps) => {
|
||||
setSelectedKeys([id]);
|
||||
}
|
||||
|
||||
const formattedEntityType =
|
||||
entityUtilClassBase.getFormattedServiceType(bucket.key);
|
||||
|
||||
return {
|
||||
title: isEntityType ? (
|
||||
<>{getPluralizeEntityName(bucket.key)}</>
|
||||
) : (
|
||||
<>{bucket.key}</>
|
||||
),
|
||||
tooltip: formattedEntityType,
|
||||
count: isEntityType ? bucket.doc_count : undefined,
|
||||
key: id,
|
||||
type,
|
||||
@ -331,7 +341,13 @@ const ExploreTree = ({ onFieldValueSelect }: ExploreTreeProps) => {
|
||||
<Transi18next
|
||||
i18nKey="message.need-help-message"
|
||||
renderElement={
|
||||
<a href={DATA_DISCOVERY_DOCS} rel="noreferrer" target="_blank" />
|
||||
<a
|
||||
aria-label="Learn more about data discovery"
|
||||
href={DATA_DISCOVERY_DOCS}
|
||||
rel="noreferrer"
|
||||
target="_blank">
|
||||
{t('label.learn-more')}
|
||||
</a>
|
||||
}
|
||||
values={{
|
||||
doc: t('message.see-how-to-get-started'),
|
||||
|
||||
@ -19,6 +19,7 @@ import {
|
||||
getServiceLogo,
|
||||
getServiceTypeExploreQueryFilter,
|
||||
} from '../../../../../utils/CommonUtils';
|
||||
import entityUtilClassBase from '../../../../../utils/EntityUtilClassBase';
|
||||
import { getExplorePath } from '../../../../../utils/RouterUtils';
|
||||
import serviceUtilClassBase from '../../../../../utils/ServiceUtilClassBase';
|
||||
import AppBadge from '../../../../common/Badge/Badge.component';
|
||||
@ -41,6 +42,10 @@ const DataAssetCard = ({ service: { key, doc_count } }: DataAssetCardProps) => {
|
||||
}),
|
||||
[key]
|
||||
);
|
||||
const formattedServiceType = useMemo(
|
||||
() => entityUtilClassBase.getFormattedServiceType(key),
|
||||
[key]
|
||||
);
|
||||
|
||||
return (
|
||||
<Link
|
||||
@ -57,7 +62,7 @@ const DataAssetCard = ({ service: { key, doc_count } }: DataAssetCardProps) => {
|
||||
<Typography.Text
|
||||
className="m-t-sm text-sm text-grey-body font-medium truncate w-full d-inline-block"
|
||||
data-testid={`service-name-${key}`}>
|
||||
{serviceUtilClassBase.getServiceName(key)}
|
||||
{formattedServiceType}
|
||||
</Typography.Text>
|
||||
|
||||
<AppBadge
|
||||
|
||||
@ -58,7 +58,7 @@ describe('DataAssetCard', () => {
|
||||
render(<DataAssetCard service={mockServiceData} />);
|
||||
|
||||
expect(screen.getByText('getServiceLogo')).toBeInTheDocument();
|
||||
expect(screen.getByText('Mysql')).toBeInTheDocument();
|
||||
expect(screen.getByText('MySQL')).toBeInTheDocument();
|
||||
expect(screen.getByText('AppBadge')).toBeInTheDocument();
|
||||
|
||||
expect(getExplorePath).toHaveBeenCalledWith({
|
||||
|
||||
@ -15,7 +15,7 @@ import { Button, Dropdown, Modal, Tooltip, Typography } from 'antd';
|
||||
import { ItemType } from 'antd/lib/menu/hooks/useItems';
|
||||
import { AxiosError } from 'axios';
|
||||
import classNames from 'classnames';
|
||||
import { capitalize, isUndefined } from 'lodash';
|
||||
import { isUndefined } from 'lodash';
|
||||
import React, { FC, useCallback, useMemo, useState } from 'react';
|
||||
import { useTranslation } from 'react-i18next';
|
||||
import { ReactComponent as IconAnnouncementsBlack } from '../../../../assets/svg/announcements-black.svg';
|
||||
@ -27,6 +27,7 @@ import { ReactComponent as IconDropdown } from '../../../../assets/svg/menu.svg'
|
||||
import { NO_PERMISSION_FOR_ACTION } from '../../../../constants/HelperTextUtil';
|
||||
import { EntityType } from '../../../../enums/entity.enum';
|
||||
import { ANNOUNCEMENT_ENTITIES } from '../../../../utils/AnnouncementsUtils';
|
||||
import entityUtilClassBase from '../../../../utils/EntityUtilClassBase';
|
||||
import { showErrorToast } from '../../../../utils/ToastUtils';
|
||||
import EntityNameModal from '../../../Modals/EntityNameModal/EntityNameModal.component';
|
||||
import { EntityName } from '../../../Modals/EntityNameModal/EntityNameModal.interface';
|
||||
@ -236,6 +237,11 @@ const ManageButton: FC<ManageButtonProps> = ({
|
||||
: []),
|
||||
];
|
||||
|
||||
const formattedEntityType = useMemo(
|
||||
() => entityUtilClassBase.getFormattedEntityType(entityType),
|
||||
[entityType]
|
||||
);
|
||||
|
||||
return (
|
||||
<>
|
||||
{items.length ? (
|
||||
@ -255,7 +261,7 @@ const ManageButton: FC<ManageButtonProps> = ({
|
||||
<Tooltip
|
||||
placement="topRight"
|
||||
title={t('label.manage-entity', {
|
||||
entity: capitalize(entityType),
|
||||
entity: formattedEntityType,
|
||||
})}>
|
||||
<Button
|
||||
className={classNames('flex-center px-1.5', buttonClassName)}
|
||||
|
||||
@ -89,10 +89,12 @@
|
||||
"api-collection-plural": "API Sammlungen",
|
||||
"api-endpoint": "API Endpunkt",
|
||||
"api-endpoint-plural": "API Endpunkte",
|
||||
"api-service": "API-Dienst",
|
||||
"api-uppercase": "API",
|
||||
"api-uppercase-plural": "APIs",
|
||||
"app-analytic-plural": "App-Analytics",
|
||||
"app-lowercase": "app",
|
||||
"app-market-place-definition": "App-Marktplatz-Definition",
|
||||
"app-plural": "Apps",
|
||||
"application": "Applikation",
|
||||
"application-by-developer": "{{app}} von <0>{{dev}}</0>",
|
||||
@ -305,6 +307,7 @@
|
||||
"dashboard-lowercase-plural": "Dashboards",
|
||||
"dashboard-name": "Dashboard-Name",
|
||||
"dashboard-plural": "Dashboards",
|
||||
"dashboard-service": "Dashboard-Dienst",
|
||||
"data-aggregate": "Datenaggregat",
|
||||
"data-aggregation": "Datenaggregation",
|
||||
"data-asset": "Daten-Asset",
|
||||
@ -360,6 +363,7 @@
|
||||
"database-schema": "Datenbankschema",
|
||||
"database-schema-plural": "Database Schemas",
|
||||
"database-schema-version": "Datenbankschema-Version",
|
||||
"database-service": "Datenbankdienst",
|
||||
"database-service-name": "Datenbankdienstname",
|
||||
"database-version": "Datenbankversion",
|
||||
"date": "Datum",
|
||||
@ -427,6 +431,7 @@
|
||||
"distinct": "Eindeutig",
|
||||
"doc-plural": "Dokumente",
|
||||
"doc-plural-lowercase": "dokumente",
|
||||
"doc-store": "Dokumentenspeicher",
|
||||
"document": "Dokument",
|
||||
"documentation": "Dokumentation",
|
||||
"documentation-lowercase": "dokumentation",
|
||||
@ -514,6 +519,7 @@
|
||||
"entity-reference": "Entität Referenz",
|
||||
"entity-reference-plural": "Entität Referenz",
|
||||
"entity-reference-types": "Entität Referenz Typ",
|
||||
"entity-report-data": "Entitätsberichtsdaten",
|
||||
"entity-service": "{{entity}}-Dienst",
|
||||
"entity-type": "Entitätstyp",
|
||||
"entity-type-plural": "{{entity}}-Typen",
|
||||
@ -526,6 +532,7 @@
|
||||
"event-plural": "Events",
|
||||
"event-publisher-plural": "Ereignisveröffentlicher",
|
||||
"event-statistics": "Ereignisstatistiken",
|
||||
"event-subscription": "Ereignisabonnement",
|
||||
"event-type": "Ereignistyp",
|
||||
"event-type-lowercase": "ereignistyp",
|
||||
"every": "Jede/r/s",
|
||||
@ -737,6 +744,9 @@
|
||||
"key": "Key",
|
||||
"keyword-lowercase-plural": "Schlüsselwörter",
|
||||
"kill": "Beenden",
|
||||
"knowledge-page": "Wissensseite",
|
||||
"knowledge-panels": "Wissenspanels",
|
||||
"kpi": "KPI",
|
||||
"kpi-display-name": "KPI",
|
||||
"kpi-list": "KPI-Liste",
|
||||
"kpi-name": "KPI-Name",
|
||||
@ -772,6 +782,7 @@
|
||||
"lineage": "Abstammung",
|
||||
"lineage-config": "Abstammungskonfiguration",
|
||||
"lineage-data-lowercase": "Abstammungsdaten",
|
||||
"lineage-edge": "Abstammungskante",
|
||||
"lineage-ingestion": "Abstammungsinjektion",
|
||||
"lineage-layer": "Lineage Layer",
|
||||
"lineage-lowercase": "Abstammung",
|
||||
@ -829,11 +840,13 @@
|
||||
"messaging": "Nachrichtenübermittlung",
|
||||
"messaging-lowercase": "nachrichtenübermittlung",
|
||||
"messaging-plural": "Nachrichtenübermittlungen",
|
||||
"messaging-service": "Nachrichtendienst",
|
||||
"metadata": "Metadaten",
|
||||
"metadata-agent-plural": "Metadata Agenten",
|
||||
"metadata-ingestion": "Metadateninjektion",
|
||||
"metadata-lowercase": "metadaten",
|
||||
"metadata-plural": "Metadaten",
|
||||
"metadata-service": "Metadaten-Dienst",
|
||||
"metadata-to-es-config-optional": "Metadaten-zu-ES-Konfiguration (optional)",
|
||||
"metapilot": "MetaPilot",
|
||||
"metapilot-suggested-description": "von Metapilot empfohlene Beschreibung",
|
||||
@ -855,6 +868,7 @@
|
||||
"ml-model-lowercase": "Künstliches Intelligenzmodell",
|
||||
"ml-model-lowercase-plural": "KI-Modelle",
|
||||
"ml-model-plural": "KI-Modelle",
|
||||
"mlmodel-service": "ML-Modell-Dienst",
|
||||
"mode": "Modus",
|
||||
"model": "Modell",
|
||||
"model-name": "Modellname",
|
||||
@ -1007,6 +1021,7 @@
|
||||
"pipeline-lowercase-plural": "pipelines",
|
||||
"pipeline-name": "Pipeline-Name",
|
||||
"pipeline-plural": "Pipelines",
|
||||
"pipeline-service": "Pipeline-Dienst",
|
||||
"pipeline-state": "Pipeline-Status",
|
||||
"platform": "Plattform",
|
||||
"platform-type-lineage": "{{platformType}} Abstammung",
|
||||
@ -1210,6 +1225,7 @@
|
||||
"search-index-plural": "Suchindizes",
|
||||
"search-index-setting-plural": "Suchindexeinstellungen",
|
||||
"search-rbac": "Search RBAC",
|
||||
"search-service": "Suchdienst",
|
||||
"search-setting-plural": "Sucheinstellungen",
|
||||
"second-plural": "Sekunden",
|
||||
"secret-key": "Geheimschlüssel",
|
||||
@ -1312,6 +1328,7 @@
|
||||
"stopped": "Gestoppt",
|
||||
"storage": "Speicher",
|
||||
"storage-plural": "Speicher",
|
||||
"storage-service": "Speicherdienst",
|
||||
"stored-procedure": "Gespeicherte Prozedur",
|
||||
"stored-procedure-plural": "Gespeicherte Prozeduren",
|
||||
"style": "Stil",
|
||||
@ -1391,6 +1408,7 @@
|
||||
"test-case-lowercase-plural": "testfälle",
|
||||
"test-case-name": "Testfall Name",
|
||||
"test-case-plural": "Testfälle",
|
||||
"test-case-resolution-status": "Testfall-Auflösungsstatus",
|
||||
"test-case-result": "Testfall Ergebnisse",
|
||||
"test-email": "Test Email",
|
||||
"test-email-connection": "Email-Connection testen",
|
||||
@ -1526,6 +1544,8 @@
|
||||
"wants-to-access-your-account": "möchte auf deinen Account {{username}} zugreifen",
|
||||
"warning": "Warnung",
|
||||
"warning-plural": "Warnungen",
|
||||
"web-analytic-entity-view-report-data": "Webanalyse-Entitätsansichtsberichtsdaten",
|
||||
"web-analytic-user-activity-report-data": "Webanalyse-Benutzeraktivitätsberichtsdaten",
|
||||
"web-analytics-report": "Webanalysenbericht",
|
||||
"webhook": "Webhook",
|
||||
"webhook-display-text": "Webhook {{displayText}}",
|
||||
@ -1538,6 +1558,7 @@
|
||||
"whats-new-version": "Änderungen in ({{version}})",
|
||||
"widget": "Widget",
|
||||
"widget-lowercase": "widget",
|
||||
"workflow-definition": "Workflow-Definition",
|
||||
"workflow-plural": "Workflows",
|
||||
"yes": "Ja",
|
||||
"yes-comma-confirm": "Ja, bestätigen",
|
||||
|
||||
@ -89,10 +89,12 @@
|
||||
"api-collection-plural": "API Collections",
|
||||
"api-endpoint": "API Endpoint",
|
||||
"api-endpoint-plural": "API Endpoints",
|
||||
"api-service": "API Service",
|
||||
"api-uppercase": "API",
|
||||
"api-uppercase-plural": "APIs",
|
||||
"app-analytic-plural": "App Analytics",
|
||||
"app-lowercase": "app",
|
||||
"app-market-place-definition": "App Market Place Definition",
|
||||
"app-plural": "Apps",
|
||||
"application": "Application",
|
||||
"application-by-developer": "{{app}} by <0>{{dev}}</0>",
|
||||
@ -305,6 +307,7 @@
|
||||
"dashboard-lowercase-plural": "dashboards",
|
||||
"dashboard-name": "Dashboard Name",
|
||||
"dashboard-plural": "Dashboards",
|
||||
"dashboard-service": "Dashboard Service",
|
||||
"data-aggregate": "Data Aggregate",
|
||||
"data-aggregation": "Data Aggregation",
|
||||
"data-asset": "Data Asset",
|
||||
@ -360,6 +363,7 @@
|
||||
"database-schema": "Database Schema",
|
||||
"database-schema-plural": "Database Schemas",
|
||||
"database-schema-version": "Database Schema version",
|
||||
"database-service": "Database Service",
|
||||
"database-service-name": "Database Service Name",
|
||||
"database-version": "Database version",
|
||||
"date": "Date",
|
||||
@ -427,6 +431,7 @@
|
||||
"distinct": "Distinct",
|
||||
"doc-plural": "Docs",
|
||||
"doc-plural-lowercase": "docs",
|
||||
"doc-store": "Doc Store",
|
||||
"document": "Document",
|
||||
"documentation": "Documentation",
|
||||
"documentation-lowercase": "documentation",
|
||||
@ -514,6 +519,7 @@
|
||||
"entity-reference": "Entity Reference",
|
||||
"entity-reference-plural": "Entity References",
|
||||
"entity-reference-types": "Entity Reference Types",
|
||||
"entity-report-data": "Entity Report Data",
|
||||
"entity-service": "{{entity}} Service",
|
||||
"entity-type": "Entity Type",
|
||||
"entity-type-plural": "{{entity}} Type",
|
||||
@ -526,6 +532,7 @@
|
||||
"event-plural": "Events",
|
||||
"event-publisher-plural": "Event Publishers",
|
||||
"event-statistics": "Event Statistics",
|
||||
"event-subscription": "Event Subscription",
|
||||
"event-type": "Event Type",
|
||||
"event-type-lowercase": "event type",
|
||||
"every": "Every",
|
||||
@ -737,6 +744,9 @@
|
||||
"key": "Key",
|
||||
"keyword-lowercase-plural": "keywords",
|
||||
"kill": "Kill",
|
||||
"knowledge-page": "Knowledge Page",
|
||||
"knowledge-panels": "Knowledge Panels",
|
||||
"kpi": "KPI",
|
||||
"kpi-display-name": "KPI Display Name",
|
||||
"kpi-list": "KPI List",
|
||||
"kpi-name": "KPI Name",
|
||||
@ -772,6 +782,7 @@
|
||||
"lineage": "Lineage",
|
||||
"lineage-config": "Lineage Config",
|
||||
"lineage-data-lowercase": "lineage data",
|
||||
"lineage-edge": "Lineage Edge",
|
||||
"lineage-ingestion": "Lineage Ingestion",
|
||||
"lineage-layer": "Lineage Layer",
|
||||
"lineage-lowercase": "lineage",
|
||||
@ -829,11 +840,13 @@
|
||||
"messaging": "Messaging",
|
||||
"messaging-lowercase": "messaging",
|
||||
"messaging-plural": "Messagings",
|
||||
"messaging-service": "Messaging Service",
|
||||
"metadata": "Metadata",
|
||||
"metadata-agent-plural": "Metadata Agents",
|
||||
"metadata-ingestion": "Metadata Ingestion",
|
||||
"metadata-lowercase": "metadata",
|
||||
"metadata-plural": "Metadata",
|
||||
"metadata-service": "Metadata Service",
|
||||
"metadata-to-es-config-optional": "Metadata To ES Config (Optional)",
|
||||
"metapilot": "MetaPilot",
|
||||
"metapilot-suggested-description": "Metapilot Suggested Description",
|
||||
@ -855,6 +868,7 @@
|
||||
"ml-model-lowercase": "ML model",
|
||||
"ml-model-lowercase-plural": "ML models",
|
||||
"ml-model-plural": "ML Models",
|
||||
"mlmodel-service": "Ml Model Service",
|
||||
"mode": "Mode",
|
||||
"model": "Model",
|
||||
"model-name": "Model Name",
|
||||
@ -1007,6 +1021,7 @@
|
||||
"pipeline-lowercase-plural": "pipelines",
|
||||
"pipeline-name": "Pipeline Name",
|
||||
"pipeline-plural": "Pipelines",
|
||||
"pipeline-service": "Pipeline Service",
|
||||
"pipeline-state": "Pipeline State",
|
||||
"platform": "Platform",
|
||||
"platform-type-lineage": "{{platformType}} Lineage",
|
||||
@ -1210,6 +1225,7 @@
|
||||
"search-index-plural": "Search Indexes",
|
||||
"search-index-setting-plural": "Search Index Settings",
|
||||
"search-rbac": "Search RBAC",
|
||||
"search-service": "Search Service",
|
||||
"search-setting-plural": "Search Settings",
|
||||
"second-plural": "Seconds",
|
||||
"secret-key": "Secret Key",
|
||||
@ -1312,6 +1328,7 @@
|
||||
"stopped": "Stopped",
|
||||
"storage": "Storage",
|
||||
"storage-plural": "Storages",
|
||||
"storage-service": "Storage Service",
|
||||
"stored-procedure": "Stored Procedure",
|
||||
"stored-procedure-plural": "Stored Procedures",
|
||||
"style": "Style",
|
||||
@ -1391,6 +1408,7 @@
|
||||
"test-case-lowercase-plural": "test cases",
|
||||
"test-case-name": "Test Case Name",
|
||||
"test-case-plural": "Test Cases",
|
||||
"test-case-resolution-status": "Test Case Resolution Status",
|
||||
"test-case-result": "Test Case Results",
|
||||
"test-email": "Test Email",
|
||||
"test-email-connection": "Test Email Connection",
|
||||
@ -1526,6 +1544,8 @@
|
||||
"wants-to-access-your-account": "wants to access your {{username}} account",
|
||||
"warning": "Warning",
|
||||
"warning-plural": "Warnings",
|
||||
"web-analytic-entity-view-report-data": "Web Analytic Entity View Report Data",
|
||||
"web-analytic-user-activity-report-data": "Web Analytic User Activity Report Data",
|
||||
"web-analytics-report": "Web Analytics Report",
|
||||
"webhook": "Webhook",
|
||||
"webhook-display-text": "Webhook {{displayText}}",
|
||||
@ -1538,6 +1558,7 @@
|
||||
"whats-new-version": "What's New ({{version}})",
|
||||
"widget": "Widget",
|
||||
"widget-lowercase": "widget",
|
||||
"workflow-definition": "Workflow Definition",
|
||||
"workflow-plural": "Workflows",
|
||||
"yes": "Yes",
|
||||
"yes-comma-confirm": "Yes, confirm",
|
||||
|
||||
@ -89,10 +89,12 @@
|
||||
"api-collection-plural": "API Collections",
|
||||
"api-endpoint": "API Endpoint",
|
||||
"api-endpoint-plural": "API Endpoints",
|
||||
"api-service": "Servicio de API",
|
||||
"api-uppercase": "API",
|
||||
"api-uppercase-plural": "APIs",
|
||||
"app-analytic-plural": "Análisis de aplicaciones",
|
||||
"app-lowercase": "app",
|
||||
"app-market-place-definition": "Definición del Mercado de Aplicaciones",
|
||||
"app-plural": "Apps",
|
||||
"application": "Applicación",
|
||||
"application-by-developer": "{{app}} por <0>{{dev}}</0>",
|
||||
@ -305,6 +307,7 @@
|
||||
"dashboard-lowercase-plural": "dashboards",
|
||||
"dashboard-name": "Nombre del dashboard",
|
||||
"dashboard-plural": "Dashboards",
|
||||
"dashboard-service": "Servicio de Panel",
|
||||
"data-aggregate": "Agregado de Datos",
|
||||
"data-aggregation": "Agregación de Datos",
|
||||
"data-asset": "Activo de datos",
|
||||
@ -360,6 +363,7 @@
|
||||
"database-schema": "Esquema de la base de datos",
|
||||
"database-schema-plural": "Esquemas de la base de datos",
|
||||
"database-schema-version": "Versión del esquema de base de datos",
|
||||
"database-service": "Servicio de Base de Datos",
|
||||
"database-service-name": "Nombre del servicio de la base de datos",
|
||||
"database-version": "Versión de la base de datos",
|
||||
"date": "Fecha",
|
||||
@ -427,6 +431,7 @@
|
||||
"distinct": "Distinto",
|
||||
"doc-plural": "Documentos",
|
||||
"doc-plural-lowercase": "documentos",
|
||||
"doc-store": "Almacén de Documentos",
|
||||
"document": "Documento",
|
||||
"documentation": "Documentación",
|
||||
"documentation-lowercase": "documentación",
|
||||
@ -514,6 +519,7 @@
|
||||
"entity-reference": "Entity Reference",
|
||||
"entity-reference-plural": "Entity References",
|
||||
"entity-reference-types": "Entity Reference Types",
|
||||
"entity-report-data": "Datos del Informe de Entidad",
|
||||
"entity-service": "Servicio de {{entity}}",
|
||||
"entity-type": "Tipo de entidad",
|
||||
"entity-type-plural": "Tipo de {{entity}}",
|
||||
@ -526,6 +532,7 @@
|
||||
"event-plural": "Events",
|
||||
"event-publisher-plural": "Publicadores de eventos",
|
||||
"event-statistics": "Estadísticas de eventos",
|
||||
"event-subscription": "Suscripción de Eventos",
|
||||
"event-type": "Tipo de evento",
|
||||
"event-type-lowercase": "tipo de evento",
|
||||
"every": "Cada",
|
||||
@ -737,6 +744,9 @@
|
||||
"key": "Key",
|
||||
"keyword-lowercase-plural": "palabras clave",
|
||||
"kill": "Eliminar",
|
||||
"knowledge-page": "Página de Conocimiento",
|
||||
"knowledge-panels": "Paneles de Conocimiento",
|
||||
"kpi": "KPI",
|
||||
"kpi-display-name": "Nombre para mostrar del KPI",
|
||||
"kpi-list": "Lista de KPIs",
|
||||
"kpi-name": "Nombre del KPI",
|
||||
@ -772,6 +782,7 @@
|
||||
"lineage": "Linaje",
|
||||
"lineage-config": "Configuración del linaje",
|
||||
"lineage-data-lowercase": "lineage data",
|
||||
"lineage-edge": "Borde de Linaje",
|
||||
"lineage-ingestion": "Ingesta de lineaje",
|
||||
"lineage-layer": "Lineage Layer",
|
||||
"lineage-lowercase": "lineaje",
|
||||
@ -829,11 +840,13 @@
|
||||
"messaging": "Mensajería",
|
||||
"messaging-lowercase": "mensajería",
|
||||
"messaging-plural": "Mensajerías",
|
||||
"messaging-service": "Servicio de Mensajería",
|
||||
"metadata": "Metadatos",
|
||||
"metadata-agent-plural": "Metadata Agentes",
|
||||
"metadata-ingestion": "Ingesta de Metadatos",
|
||||
"metadata-lowercase": "metadatos",
|
||||
"metadata-plural": "Metadata",
|
||||
"metadata-service": "Servicio de Metadatos",
|
||||
"metadata-to-es-config-optional": "Configuración de Metadatos a ES (Opcional)",
|
||||
"metapilot": "MetaPilot",
|
||||
"metapilot-suggested-description": "Sugerencia de Metapilot",
|
||||
@ -855,6 +868,7 @@
|
||||
"ml-model-lowercase": "modelo de ML",
|
||||
"ml-model-lowercase-plural": "modelos de ML",
|
||||
"ml-model-plural": "Modelos de ML",
|
||||
"mlmodel-service": "Servicio de Modelo ML",
|
||||
"mode": "Moda",
|
||||
"model": "Modelo",
|
||||
"model-name": "Nombre del Modelo",
|
||||
@ -1007,6 +1021,7 @@
|
||||
"pipeline-lowercase-plural": "pipelines",
|
||||
"pipeline-name": "Nombre de la pipeline",
|
||||
"pipeline-plural": "Pipelines",
|
||||
"pipeline-service": "Servicio de Canalización",
|
||||
"pipeline-state": "Estado de la pipeline",
|
||||
"platform": "Platform",
|
||||
"platform-type-lineage": "{{platformType}} Linaje",
|
||||
@ -1210,6 +1225,7 @@
|
||||
"search-index-plural": "Índices de Búsqueda",
|
||||
"search-index-setting-plural": "Configuración de Índices de Búsqueda",
|
||||
"search-rbac": "Search RBAC",
|
||||
"search-service": "Servicio de Búsqueda",
|
||||
"search-setting-plural": "Configuración de búsqueda",
|
||||
"second-plural": "Segundos",
|
||||
"secret-key": "Clave Secreta",
|
||||
@ -1312,6 +1328,7 @@
|
||||
"stopped": "Parado",
|
||||
"storage": "Almacenamiento",
|
||||
"storage-plural": "Almacenamientos",
|
||||
"storage-service": "Servicio de Almacenamiento",
|
||||
"stored-procedure": "Procedimiento Almacenado",
|
||||
"stored-procedure-plural": "Procedimientos Almacenados",
|
||||
"style": "Estilo",
|
||||
@ -1391,6 +1408,7 @@
|
||||
"test-case-lowercase-plural": "casos de prueba",
|
||||
"test-case-name": "Nombre del caso de prueba",
|
||||
"test-case-plural": "Casos de Prueba",
|
||||
"test-case-resolution-status": "Estado de Resolución del Caso de Prueba",
|
||||
"test-case-result": "Resultados del caso de prueba",
|
||||
"test-email": "Test Email",
|
||||
"test-email-connection": "Probar conexión de email",
|
||||
@ -1526,6 +1544,8 @@
|
||||
"wants-to-access-your-account": "quiere acceder a su cuenta {{username}}",
|
||||
"warning": "Advertencia",
|
||||
"warning-plural": "Advertencias",
|
||||
"web-analytic-entity-view-report-data": "Datos del Informe de Vista de Entidad Web Analítica",
|
||||
"web-analytic-user-activity-report-data": "Datos del Informe de Actividad del Usuario Web Analítica",
|
||||
"web-analytics-report": "Informe de análisis web",
|
||||
"webhook": "Webhook",
|
||||
"webhook-display-text": "Webhook {{displayText}}",
|
||||
@ -1538,6 +1558,7 @@
|
||||
"whats-new-version": "Qué hay de nuevo ({{version}})",
|
||||
"widget": "Widget",
|
||||
"widget-lowercase": "widget",
|
||||
"workflow-definition": "Definición de Flujo de Trabajo",
|
||||
"workflow-plural": "Workflows",
|
||||
"yes": "Sí",
|
||||
"yes-comma-confirm": "Sí, confirmar",
|
||||
|
||||
@ -89,10 +89,12 @@
|
||||
"api-collection-plural": "API Collections",
|
||||
"api-endpoint": "API Endpoint",
|
||||
"api-endpoint-plural": "API Endpoints",
|
||||
"api-service": "Service d'API",
|
||||
"api-uppercase": "API",
|
||||
"api-uppercase-plural": "APIs",
|
||||
"app-analytic-plural": "Analytiques d'Application",
|
||||
"app-lowercase": "app",
|
||||
"app-market-place-definition": "Définition du Marché d'Applications",
|
||||
"app-plural": "Apps",
|
||||
"application": "Application",
|
||||
"application-by-developer": "{{app}} by <0>{{dev}}</0>",
|
||||
@ -305,6 +307,7 @@
|
||||
"dashboard-lowercase-plural": "tableaux de bord",
|
||||
"dashboard-name": "Nom du Tableau de Bord",
|
||||
"dashboard-plural": "Tableaux de Bord",
|
||||
"dashboard-service": "Service de Tableau de Bord",
|
||||
"data-aggregate": "Agrégat de Données",
|
||||
"data-aggregation": "Agrégation de Données",
|
||||
"data-asset": "Actif de Données",
|
||||
@ -360,6 +363,7 @@
|
||||
"database-schema": "Schéma de la Base de Données",
|
||||
"database-schema-plural": "Schémas la de Base de Données",
|
||||
"database-schema-version": "Version du schéma de base de données",
|
||||
"database-service": "Service de Base de Données",
|
||||
"database-service-name": "Nom du Service de Base de Données",
|
||||
"database-version": "Version de la base de données",
|
||||
"date": "Date",
|
||||
@ -427,6 +431,7 @@
|
||||
"distinct": "Distinct",
|
||||
"doc-plural": "Documents",
|
||||
"doc-plural-lowercase": "docs",
|
||||
"doc-store": "Stockage de Documents",
|
||||
"document": "Document",
|
||||
"documentation": "Documentation",
|
||||
"documentation-lowercase": "documentation",
|
||||
@ -514,6 +519,7 @@
|
||||
"entity-reference": "Entity Reference",
|
||||
"entity-reference-plural": "Entity References",
|
||||
"entity-reference-types": "Entity Reference Types",
|
||||
"entity-report-data": "Données de Rapport d'Entité",
|
||||
"entity-service": "Service de {{entity}}",
|
||||
"entity-type": "Type d'entité",
|
||||
"entity-type-plural": "{{entity}} Types",
|
||||
@ -526,6 +532,7 @@
|
||||
"event-plural": "Events",
|
||||
"event-publisher-plural": "Publicateurs d'Événements",
|
||||
"event-statistics": "Statistiques des événements",
|
||||
"event-subscription": "Abonnement aux Événements",
|
||||
"event-type": "Type d'Événement",
|
||||
"event-type-lowercase": "type",
|
||||
"every": "Chaque",
|
||||
@ -737,6 +744,9 @@
|
||||
"key": "Key",
|
||||
"keyword-lowercase-plural": "mots-clés",
|
||||
"kill": "Arrêter",
|
||||
"knowledge-page": "Page de Connaissances",
|
||||
"knowledge-panels": "Panneaux de Connaissances",
|
||||
"kpi": "KPI",
|
||||
"kpi-display-name": "KPI",
|
||||
"kpi-list": "Liste des KPI",
|
||||
"kpi-name": "Nom des KPI",
|
||||
@ -772,6 +782,7 @@
|
||||
"lineage": "Lignage",
|
||||
"lineage-config": "Config de Lignage",
|
||||
"lineage-data-lowercase": "lignage des données",
|
||||
"lineage-edge": "Lien de Lignage",
|
||||
"lineage-ingestion": "Ingestion de lignage",
|
||||
"lineage-layer": "Lineage Layer",
|
||||
"lineage-lowercase": "lignage",
|
||||
@ -829,11 +840,13 @@
|
||||
"messaging": "Messagerie",
|
||||
"messaging-lowercase": "messagerie",
|
||||
"messaging-plural": "Messageries",
|
||||
"messaging-service": "Service de Messagerie",
|
||||
"metadata": "Métadonnée",
|
||||
"metadata-agent-plural": "Agents de Métadonnées",
|
||||
"metadata-ingestion": "Ingestion des Métadonnées",
|
||||
"metadata-lowercase": "métadonnées",
|
||||
"metadata-plural": "Métadonnées",
|
||||
"metadata-service": "Service de Métadonnées",
|
||||
"metadata-to-es-config-optional": "Configuration de Métadonnées vers ES (Optionnel)",
|
||||
"metapilot": "MetaPilot",
|
||||
"metapilot-suggested-description": "Description Metapilot Suggérée",
|
||||
@ -855,6 +868,7 @@
|
||||
"ml-model-lowercase": "Modèle d'Apprentissage Machine",
|
||||
"ml-model-lowercase-plural": "Modèles d'Apprentissage Machine",
|
||||
"ml-model-plural": "Modèles d'IA",
|
||||
"mlmodel-service": "Service de Modèle ML",
|
||||
"mode": "Mode",
|
||||
"model": "Modèle",
|
||||
"model-name": "Nom du Modèle",
|
||||
@ -1007,6 +1021,7 @@
|
||||
"pipeline-lowercase-plural": "pipelines",
|
||||
"pipeline-name": "Nom de la Pipeline",
|
||||
"pipeline-plural": "Pipelines",
|
||||
"pipeline-service": "Service de Pipeline",
|
||||
"pipeline-state": "État de la Pipeline",
|
||||
"platform": "Plateforme",
|
||||
"platform-type-lineage": "{{platformType}} Lignage",
|
||||
@ -1210,6 +1225,7 @@
|
||||
"search-index-plural": "Indexes de Recherche",
|
||||
"search-index-setting-plural": "Paramètres des Index de Recherche",
|
||||
"search-rbac": "Search RBAC",
|
||||
"search-service": "Service de Recherche",
|
||||
"search-setting-plural": "Paramètres de recherche",
|
||||
"second-plural": "Secondes",
|
||||
"secret-key": "Clé Secrète",
|
||||
@ -1312,6 +1328,7 @@
|
||||
"stopped": "Arrêté",
|
||||
"storage": "Stockage",
|
||||
"storage-plural": "Stockages",
|
||||
"storage-service": "Service de Stockage",
|
||||
"stored-procedure": "Procédure Stockée",
|
||||
"stored-procedure-plural": "Procédures Stockées",
|
||||
"style": "Style",
|
||||
@ -1391,6 +1408,7 @@
|
||||
"test-case-lowercase-plural": "cas de tests",
|
||||
"test-case-name": "Nom du cas de test",
|
||||
"test-case-plural": "Cas de Tests",
|
||||
"test-case-resolution-status": "Statut de Résolution du Cas de Test",
|
||||
"test-case-result": "Résultat du cas de test",
|
||||
"test-email": "Test Email",
|
||||
"test-email-connection": "Tester la connexion Email",
|
||||
@ -1526,6 +1544,8 @@
|
||||
"wants-to-access-your-account": "souhaite accéder à votre compte {{username}}",
|
||||
"warning": "Attention",
|
||||
"warning-plural": "Warnings",
|
||||
"web-analytic-entity-view-report-data": "Données de Rapport de Vue d'Entité Web Analytique",
|
||||
"web-analytic-user-activity-report-data": "Données de Rapport d’Activité Utilisateur Web Analytique",
|
||||
"web-analytics-report": "Rapport d'Analyse Web",
|
||||
"webhook": "Webhook",
|
||||
"webhook-display-text": "Webhook {{displayText}}",
|
||||
@ -1538,6 +1558,7 @@
|
||||
"whats-new-version": "Nouveautés ({{version}})",
|
||||
"widget": "Widget",
|
||||
"widget-lowercase": "widget",
|
||||
"workflow-definition": "Définition du Flux de Travail",
|
||||
"workflow-plural": "Workflows",
|
||||
"yes": "Oui",
|
||||
"yes-comma-confirm": "Oui, confirmer",
|
||||
|
||||
@ -89,10 +89,12 @@
|
||||
"api-collection-plural": "Coleccións de API",
|
||||
"api-endpoint": "Punto final de API",
|
||||
"api-endpoint-plural": "Puntos finais de API",
|
||||
"api-service": "Servizo de API",
|
||||
"api-uppercase": "API",
|
||||
"api-uppercase-plural": "APIs",
|
||||
"app-analytic-plural": "Analíticas de aplicacións",
|
||||
"app-lowercase": "aplicación",
|
||||
"app-market-place-definition": "Definición do Mercado de Aplicacións",
|
||||
"app-plural": "Aplicacións",
|
||||
"application": "Aplicación",
|
||||
"application-by-developer": "{{app}} por <0>{{dev}}</0>",
|
||||
@ -305,6 +307,7 @@
|
||||
"dashboard-lowercase-plural": "paneis",
|
||||
"dashboard-name": "Nome do panel",
|
||||
"dashboard-plural": "Paneis",
|
||||
"dashboard-service": "Servizo de Panel de Control",
|
||||
"data-aggregate": "Datos agregados",
|
||||
"data-aggregation": "Agregación de datos",
|
||||
"data-asset": "Activo de datos",
|
||||
@ -360,6 +363,7 @@
|
||||
"database-schema": "Esquema da base de datos",
|
||||
"database-schema-plural": "Esquemas da base de datos",
|
||||
"database-schema-version": "Versión do esquema da base de datos",
|
||||
"database-service": "Servizo de Base de Datos",
|
||||
"database-service-name": "Nome do servizo de base de datos",
|
||||
"database-version": "Versión da base de datos",
|
||||
"date": "Data",
|
||||
@ -427,6 +431,7 @@
|
||||
"distinct": "Distinto",
|
||||
"doc-plural": "Documentos",
|
||||
"doc-plural-lowercase": "documentos",
|
||||
"doc-store": "Almacén de Documentos",
|
||||
"document": "Documento",
|
||||
"documentation": "Documentación",
|
||||
"documentation-lowercase": "documentación",
|
||||
@ -514,6 +519,7 @@
|
||||
"entity-reference": "Referencia de {{entity}}",
|
||||
"entity-reference-plural": "Referencias de {{entity}}",
|
||||
"entity-reference-types": "Tipos de referencia de {{entity}}",
|
||||
"entity-report-data": "Datos do Informe de Entidade",
|
||||
"entity-service": "Servizo de {{entity}}",
|
||||
"entity-type": "Tipo de entidade",
|
||||
"entity-type-plural": "Tipos de {{entity}}",
|
||||
@ -526,6 +532,7 @@
|
||||
"event-plural": "Eventos",
|
||||
"event-publisher-plural": "Publicadores de eventos",
|
||||
"event-statistics": "Estatísticas de eventos",
|
||||
"event-subscription": "Subscrición a Eventos",
|
||||
"event-type": "Tipo de evento",
|
||||
"event-type-lowercase": "tipo de evento",
|
||||
"every": "Cada",
|
||||
@ -737,6 +744,9 @@
|
||||
"key": "Clave",
|
||||
"keyword-lowercase-plural": "palabras clave",
|
||||
"kill": "Matar",
|
||||
"knowledge-page": "Páxina de Coñecemento",
|
||||
"knowledge-panels": "Paneles de Coñecemento",
|
||||
"kpi": "KPI",
|
||||
"kpi-display-name": "Nome de visualización KPI",
|
||||
"kpi-list": "Lista de KPI",
|
||||
"kpi-name": "Nome de KPI",
|
||||
@ -772,6 +782,7 @@
|
||||
"lineage": "Liñaxe",
|
||||
"lineage-config": "Configuración de liñaxe",
|
||||
"lineage-data-lowercase": "datos de liñaxe",
|
||||
"lineage-edge": "Bordo de Liñaxe",
|
||||
"lineage-ingestion": "Inxestión de liñaxe",
|
||||
"lineage-layer": "Capa de liñaxe",
|
||||
"lineage-lowercase": "liñaxe",
|
||||
@ -829,11 +840,13 @@
|
||||
"messaging": "Mensaxería",
|
||||
"messaging-lowercase": "mensaxería",
|
||||
"messaging-plural": "Mensaxerías",
|
||||
"messaging-service": "Servizo de Mensaxería",
|
||||
"metadata": "Metadatos",
|
||||
"metadata-agent-plural": "Agentes de Metadatos",
|
||||
"metadata-ingestion": "Inxestión de metadatos",
|
||||
"metadata-lowercase": "metadatos",
|
||||
"metadata-plural": "Metadatos",
|
||||
"metadata-service": "Servizo de Metadatos",
|
||||
"metadata-to-es-config-optional": "Configuración opcional de metadatos para ES",
|
||||
"metapilot": "MetaPilot",
|
||||
"metapilot-suggested-description": "Descrición suxerida por Metapilot",
|
||||
@ -855,6 +868,7 @@
|
||||
"ml-model-lowercase": "modelo de ML",
|
||||
"ml-model-lowercase-plural": "modelos de ML",
|
||||
"ml-model-plural": "Modelos de ML",
|
||||
"mlmodel-service": "Servizo de Modelo ML",
|
||||
"mode": "Modo",
|
||||
"model": "Modelo",
|
||||
"model-name": "Nome do modelo",
|
||||
@ -1007,6 +1021,7 @@
|
||||
"pipeline-lowercase-plural": "pipelines",
|
||||
"pipeline-name": "Nome do pipeline",
|
||||
"pipeline-plural": "Pipelines",
|
||||
"pipeline-service": "Servizo de Canalización",
|
||||
"pipeline-state": "Estado do pipeline",
|
||||
"platform": "Plataforma",
|
||||
"platform-type-lineage": "{{platformType}} Liñaxe",
|
||||
@ -1210,6 +1225,7 @@
|
||||
"search-index-plural": "Índices de busca",
|
||||
"search-index-setting-plural": "Axustes do índice de busca",
|
||||
"search-rbac": "Búsqueda RBAC",
|
||||
"search-service": "Servizo de Busca",
|
||||
"search-setting-plural": "Configuración de busca",
|
||||
"second-plural": "Segundos",
|
||||
"secret-key": "Chave secreta",
|
||||
@ -1312,6 +1328,7 @@
|
||||
"stopped": "Detido",
|
||||
"storage": "Almacenamento",
|
||||
"storage-plural": "Almacenamentos",
|
||||
"storage-service": "Servizo de Almacenamento",
|
||||
"stored-procedure": "Procedemento almacenado",
|
||||
"stored-procedure-plural": "Procedementos almacenados",
|
||||
"style": "Estilo",
|
||||
@ -1391,6 +1408,7 @@
|
||||
"test-case-lowercase-plural": "casos de proba",
|
||||
"test-case-name": "Nome do caso de proba",
|
||||
"test-case-plural": "Casos de proba",
|
||||
"test-case-resolution-status": "Estado da Resolución do Caso de Proba",
|
||||
"test-case-result": "Resultados do caso de proba",
|
||||
"test-email": "Correo electrónico de proba",
|
||||
"test-email-connection": "Probar a conexión de correo electrónico",
|
||||
@ -1526,6 +1544,8 @@
|
||||
"wants-to-access-your-account": "quere acceder á túa conta de {{username}}",
|
||||
"warning": "Advertencia",
|
||||
"warning-plural": "Advertencias",
|
||||
"web-analytic-entity-view-report-data": "Datos do Informe de Vista de Entidade Web Analítica",
|
||||
"web-analytic-user-activity-report-data": "Datos do Informe de Actividade do Usuario Web Analítica",
|
||||
"web-analytics-report": "Informe de analítica web",
|
||||
"webhook": "Webhook",
|
||||
"webhook-display-text": "Webhook {{displayText}}",
|
||||
@ -1538,6 +1558,7 @@
|
||||
"whats-new-version": "Novidades ({{version}})",
|
||||
"widget": "Widget",
|
||||
"widget-lowercase": "widget",
|
||||
"workflow-definition": "Definición do Fluxo de Traballo",
|
||||
"workflow-plural": "Fluxos de traballo",
|
||||
"yes": "Si",
|
||||
"yes-comma-confirm": "Si, confirmar",
|
||||
|
||||
@ -89,10 +89,12 @@
|
||||
"api-collection-plural": "API Collections",
|
||||
"api-endpoint": "API Endpoint",
|
||||
"api-endpoint-plural": "API Endpoints",
|
||||
"api-service": "שירות API",
|
||||
"api-uppercase": "API",
|
||||
"api-uppercase-plural": "APIs",
|
||||
"app-analytic-plural": "ניתוחי Apps",
|
||||
"app-lowercase": "app",
|
||||
"app-market-place-definition": "הגדרת שוק האפליקציות",
|
||||
"app-plural": "Apps",
|
||||
"application": "אפליקציה",
|
||||
"application-by-developer": "{{app}} על ידי <0>{{dev}}</0>",
|
||||
@ -305,6 +307,7 @@
|
||||
"dashboard-lowercase-plural": "דשבורדים",
|
||||
"dashboard-name": "שם הדשבורד",
|
||||
"dashboard-plural": "דשבורדים",
|
||||
"dashboard-service": "שירות לוח מחוונים",
|
||||
"data-aggregate": "אגרגציית נתונים",
|
||||
"data-aggregation": "אגרגציות נתונים",
|
||||
"data-asset": "נכס נתונים",
|
||||
@ -360,6 +363,7 @@
|
||||
"database-schema": "סכימת בסיס הנתונים",
|
||||
"database-schema-plural": "Database Schemas",
|
||||
"database-schema-version": "גרסת סכמת מסד נתונים",
|
||||
"database-service": "שירות בסיס נתונים",
|
||||
"database-service-name": "שירות בסיס הנתונים",
|
||||
"database-version": "גרסת מסד נתונים",
|
||||
"date": "תאריך",
|
||||
@ -427,6 +431,7 @@
|
||||
"distinct": "ייחודי",
|
||||
"doc-plural": "מסמכים",
|
||||
"doc-plural-lowercase": "מסמכים",
|
||||
"doc-store": "מאגר מסמכים",
|
||||
"document": "מסמך",
|
||||
"documentation": "תיעוד",
|
||||
"documentation-lowercase": "תיעוד",
|
||||
@ -514,6 +519,7 @@
|
||||
"entity-reference": "Entity Reference",
|
||||
"entity-reference-plural": "Entity References",
|
||||
"entity-reference-types": "Entity Reference Types",
|
||||
"entity-report-data": "נתוני דוח ישות",
|
||||
"entity-service": "שירות {{entity}}",
|
||||
"entity-type": "סוג האובייקט",
|
||||
"entity-type-plural": "סוגי {{entity}}",
|
||||
@ -526,6 +532,7 @@
|
||||
"event-plural": "Events",
|
||||
"event-publisher-plural": "מפרסמי אירועים",
|
||||
"event-statistics": "סטטיסטיקת אירועים",
|
||||
"event-subscription": "מנוי לאירועים",
|
||||
"event-type": "סוג אירוע",
|
||||
"event-type-lowercase": "event type",
|
||||
"every": "כל",
|
||||
@ -737,6 +744,9 @@
|
||||
"key": "Key",
|
||||
"keyword-lowercase-plural": "מילות מפתח",
|
||||
"kill": "הרוג",
|
||||
"knowledge-page": "עמוד ידע",
|
||||
"knowledge-panels": "לוחות ידע",
|
||||
"kpi": "KPI",
|
||||
"kpi-display-name": "שם תצוגת KPI",
|
||||
"kpi-list": "רשימת KPI",
|
||||
"kpi-name": "שם KPI",
|
||||
@ -772,6 +782,7 @@
|
||||
"lineage": "שורשים",
|
||||
"lineage-config": "תצורת שורשים",
|
||||
"lineage-data-lowercase": "נתוני שורשים",
|
||||
"lineage-edge": "קצה היררכיה",
|
||||
"lineage-ingestion": "כניסת שורשים",
|
||||
"lineage-layer": "Lineage Layer",
|
||||
"lineage-lowercase": "שורשים",
|
||||
@ -829,11 +840,13 @@
|
||||
"messaging": "סרטימינג",
|
||||
"messaging-lowercase": "סרטימינג",
|
||||
"messaging-plural": "מערכות סטרימינג",
|
||||
"messaging-service": "שירות הודעות",
|
||||
"metadata": "מטא-דאטה",
|
||||
"metadata-agent-plural": "סוכני מטא-דאטה",
|
||||
"metadata-ingestion": "עיבוד מקורות מטה-דאטה",
|
||||
"metadata-lowercase": "מטא-דאטה",
|
||||
"metadata-plural": "מטא-דאטה",
|
||||
"metadata-service": "שירות מטא-נתונים",
|
||||
"metadata-to-es-config-optional": "קונפיגורציית מטא-דאטה ל-Elasticsearch (אופציונלי)",
|
||||
"metapilot": "MetaPilot",
|
||||
"metapilot-suggested-description": "Metapilot Suggested Description",
|
||||
@ -855,6 +868,7 @@
|
||||
"ml-model-lowercase": "מודל למידת מכונה",
|
||||
"ml-model-lowercase-plural": "מודלים של למידת מכונה",
|
||||
"ml-model-plural": "מודלים של למידת מכונה",
|
||||
"mlmodel-service": "שירות מודל ML",
|
||||
"mode": "מצב",
|
||||
"model": "מודל",
|
||||
"model-name": "שם המודל",
|
||||
@ -1007,6 +1021,7 @@
|
||||
"pipeline-lowercase-plural": "תהליך טעינה/עיבוד",
|
||||
"pipeline-name": "שם תהליך הטעינה/עיבוד",
|
||||
"pipeline-plural": "תהליכי טעינה/עיבוד",
|
||||
"pipeline-service": "שירות צינור",
|
||||
"pipeline-state": "מצב תהליך הטעינה/עיבוד",
|
||||
"platform": "Platform",
|
||||
"platform-type-lineage": "{{platformType}} שורשים",
|
||||
@ -1210,6 +1225,7 @@
|
||||
"search-index-plural": "אינדקסי חיפוש",
|
||||
"search-index-setting-plural": "הגדרות אינדקס חיפוש",
|
||||
"search-rbac": "Search RBAC",
|
||||
"search-service": "שירות חיפוש",
|
||||
"search-setting-plural": "הגדרות חיפוש",
|
||||
"second-plural": "שנייה",
|
||||
"secret-key": "מפתח סודי",
|
||||
@ -1312,6 +1328,7 @@
|
||||
"stopped": "נעצר",
|
||||
"storage": "אחסון",
|
||||
"storage-plural": "אחסונים",
|
||||
"storage-service": "שירות אחסון",
|
||||
"stored-procedure": "פרוצדורה",
|
||||
"stored-procedure-plural": "פרוצדורות",
|
||||
"style": "סגנון",
|
||||
@ -1391,6 +1408,7 @@
|
||||
"test-case-lowercase-plural": "בדיקות נתונים",
|
||||
"test-case-name": "Test Case Name",
|
||||
"test-case-plural": "בדיקות נתונים",
|
||||
"test-case-resolution-status": "סטטוס פתרון מקרי בדיקה",
|
||||
"test-case-result": "Test Case Results",
|
||||
"test-email": "Test Email",
|
||||
"test-email-connection": "Test Email Connection",
|
||||
@ -1526,6 +1544,8 @@
|
||||
"wants-to-access-your-account": "רוצה לגשת לחשבון {{username}} שלך",
|
||||
"warning": "אזהרה",
|
||||
"warning-plural": "Warnings",
|
||||
"web-analytic-entity-view-report-data": "נתוני דוח צפייה בישות אנליטית באינטרנט",
|
||||
"web-analytic-user-activity-report-data": "נתוני דוח פעילות משתמש אנליטית באינטרנט",
|
||||
"web-analytics-report": "דוח ניתוח אינטרנטי",
|
||||
"webhook": "ווֹבּוּק",
|
||||
"webhook-display-text": "ווֹבּוּק {{displayText}}",
|
||||
@ -1538,6 +1558,7 @@
|
||||
"whats-new-version": "מה חדש ({{version}})",
|
||||
"widget": "ווידג'ט",
|
||||
"widget-lowercase": "ווידג'ט",
|
||||
"workflow-definition": "הגדרת זרימת עבודה",
|
||||
"workflow-plural": "תהליכי עבודה",
|
||||
"yes": "כן",
|
||||
"yes-comma-confirm": "Yes, confirm",
|
||||
|
||||
@ -89,10 +89,12 @@
|
||||
"api-collection-plural": "API Collections",
|
||||
"api-endpoint": "API Endpoint",
|
||||
"api-endpoint-plural": "API Endpoints",
|
||||
"api-service": "APIサービス",
|
||||
"api-uppercase": "API",
|
||||
"api-uppercase-plural": "APIs",
|
||||
"app-analytic-plural": "App Analytics",
|
||||
"app-lowercase": "app",
|
||||
"app-market-place-definition": "アプリマーケットプレイス定義",
|
||||
"app-plural": "Apps",
|
||||
"application": "Application",
|
||||
"application-by-developer": "{{app}} by <0>{{dev}}</0>",
|
||||
@ -305,6 +307,7 @@
|
||||
"dashboard-lowercase-plural": "dashboards",
|
||||
"dashboard-name": "ダッシュボード名",
|
||||
"dashboard-plural": "ダッシュボード",
|
||||
"dashboard-service": "ダッシュボードサービス",
|
||||
"data-aggregate": "Data Aggregate",
|
||||
"data-aggregation": "Data Aggregation",
|
||||
"data-asset": "データアセット",
|
||||
@ -360,6 +363,7 @@
|
||||
"database-schema": "データベースのスキーマ",
|
||||
"database-schema-plural": "Database Schemas",
|
||||
"database-schema-version": "データベーススキーマのバージョン",
|
||||
"database-service": "データベースサービス",
|
||||
"database-service-name": "データベースサービス名",
|
||||
"database-version": "データベースのバージョン",
|
||||
"date": "日付",
|
||||
@ -427,6 +431,7 @@
|
||||
"distinct": "Distinct",
|
||||
"doc-plural": "ドキュメント",
|
||||
"doc-plural-lowercase": "docs",
|
||||
"doc-store": "ドキュメントストア",
|
||||
"document": "Document",
|
||||
"documentation": "Documentation",
|
||||
"documentation-lowercase": "ドキュメント",
|
||||
@ -514,6 +519,7 @@
|
||||
"entity-reference": "Entity Reference",
|
||||
"entity-reference-plural": "Entity References",
|
||||
"entity-reference-types": "Entity Reference Types",
|
||||
"entity-report-data": "エンティティレポートデータ",
|
||||
"entity-service": "{{entity}}サービス",
|
||||
"entity-type": "エンティティタイプ",
|
||||
"entity-type-plural": "{{entity}} Type",
|
||||
@ -526,6 +532,7 @@
|
||||
"event-plural": "Events",
|
||||
"event-publisher-plural": "イベントの作成者",
|
||||
"event-statistics": "イベント統計",
|
||||
"event-subscription": "イベント購読",
|
||||
"event-type": "イベントの種類",
|
||||
"event-type-lowercase": "event type",
|
||||
"every": "Every",
|
||||
@ -737,6 +744,9 @@
|
||||
"key": "Key",
|
||||
"keyword-lowercase-plural": "キーワード",
|
||||
"kill": "終了",
|
||||
"knowledge-page": "ナレッジページ",
|
||||
"knowledge-panels": "ナレッジパネル",
|
||||
"kpi": "KPI",
|
||||
"kpi-display-name": "KPI表示名",
|
||||
"kpi-list": "KPIリスト",
|
||||
"kpi-name": "KPI名",
|
||||
@ -772,6 +782,7 @@
|
||||
"lineage": "リネージ",
|
||||
"lineage-config": "Lineage Config",
|
||||
"lineage-data-lowercase": "lineage data",
|
||||
"lineage-edge": "系統エッジ",
|
||||
"lineage-ingestion": "リネージのインジェスチョン",
|
||||
"lineage-layer": "Lineage Layer",
|
||||
"lineage-lowercase": "リネージ",
|
||||
@ -829,11 +840,13 @@
|
||||
"messaging": "メッセージング",
|
||||
"messaging-lowercase": "メッセージング",
|
||||
"messaging-plural": "Messagings",
|
||||
"messaging-service": "メッセージサービス",
|
||||
"metadata": "メタデータ",
|
||||
"metadata-agent-plural": "メタデータエージェント",
|
||||
"metadata-ingestion": "メタデータのインジェスチョン",
|
||||
"metadata-lowercase": "メタデータ",
|
||||
"metadata-plural": "Metadata",
|
||||
"metadata-service": "メタデータサービス",
|
||||
"metadata-to-es-config-optional": "Metadata To ES Config (Optional)",
|
||||
"metapilot": "MetaPilot",
|
||||
"metapilot-suggested-description": "Metapilot Suggested Description",
|
||||
@ -855,6 +868,7 @@
|
||||
"ml-model-lowercase": "ML model",
|
||||
"ml-model-lowercase-plural": "ML models",
|
||||
"ml-model-plural": "MLモデル",
|
||||
"mlmodel-service": "MLモデルサービス",
|
||||
"mode": "モード",
|
||||
"model": "Model",
|
||||
"model-name": "モデル名",
|
||||
@ -1007,6 +1021,7 @@
|
||||
"pipeline-lowercase-plural": "pipelines",
|
||||
"pipeline-name": "パイプライン名",
|
||||
"pipeline-plural": "パイプライン",
|
||||
"pipeline-service": "パイプラインサービス",
|
||||
"pipeline-state": "パイプラインの状態",
|
||||
"platform": "Platform",
|
||||
"platform-type-lineage": "{{platformType}} リネージ",
|
||||
@ -1210,6 +1225,7 @@
|
||||
"search-index-plural": "Search Indexes",
|
||||
"search-index-setting-plural": "Search Index Settings",
|
||||
"search-rbac": "Search RBAC",
|
||||
"search-service": "検索サービス",
|
||||
"search-setting-plural": "検索設定",
|
||||
"second-plural": "秒",
|
||||
"secret-key": "Secret Key",
|
||||
@ -1312,6 +1328,7 @@
|
||||
"stopped": "Stopped",
|
||||
"storage": "Storage",
|
||||
"storage-plural": "Storages",
|
||||
"storage-service": "ストレージサービス",
|
||||
"stored-procedure": "Stored Procedure",
|
||||
"stored-procedure-plural": "Stored Procedures",
|
||||
"style": "Style",
|
||||
@ -1391,6 +1408,7 @@
|
||||
"test-case-lowercase-plural": "test cases",
|
||||
"test-case-name": "Test Case Name",
|
||||
"test-case-plural": "テストケース",
|
||||
"test-case-resolution-status": "テストケース解決状況",
|
||||
"test-case-result": "Test Case Results",
|
||||
"test-email": "Test Email",
|
||||
"test-email-connection": "Test Email Connection",
|
||||
@ -1526,6 +1544,8 @@
|
||||
"wants-to-access-your-account": "wants to access your {{username}} account",
|
||||
"warning": "Warning",
|
||||
"warning-plural": "Warnings",
|
||||
"web-analytic-entity-view-report-data": "ウェブ分析エンティティ表示レポートデータ",
|
||||
"web-analytic-user-activity-report-data": "ウェブ分析ユーザーアクティビティレポートデータ",
|
||||
"web-analytics-report": "Web Analytics Report",
|
||||
"webhook": "ウェブフック",
|
||||
"webhook-display-text": "ウェブフック {{displayText}}",
|
||||
@ -1538,6 +1558,7 @@
|
||||
"whats-new-version": "What's New ({{version}})",
|
||||
"widget": "Widget",
|
||||
"widget-lowercase": "widget",
|
||||
"workflow-definition": "ワークフロー定義",
|
||||
"workflow-plural": "Workflows",
|
||||
"yes": "はい",
|
||||
"yes-comma-confirm": "はい、確認します",
|
||||
|
||||
@ -89,10 +89,12 @@
|
||||
"api-collection-plural": "API 컬렉션들",
|
||||
"api-endpoint": "API 엔드포인트",
|
||||
"api-endpoint-plural": "API 엔드포인트들",
|
||||
"api-service": "API 서비스",
|
||||
"api-uppercase": "API",
|
||||
"api-uppercase-plural": "API들",
|
||||
"app-analytic-plural": "앱 분석",
|
||||
"app-lowercase": "앱",
|
||||
"app-market-place-definition": "앱 마켓플레이스 정의",
|
||||
"app-plural": "앱들",
|
||||
"application": "애플리케이션",
|
||||
"application-by-developer": "<0>{{dev}}</0>의 {{app}}",
|
||||
@ -305,6 +307,7 @@
|
||||
"dashboard-lowercase-plural": "대시보드들",
|
||||
"dashboard-name": "대시보드 이름",
|
||||
"dashboard-plural": "대시보드들",
|
||||
"dashboard-service": "대시보드 서비스",
|
||||
"data-aggregate": "데이터 집계",
|
||||
"data-aggregation": "데이터 집계",
|
||||
"data-asset": "데이터 자산",
|
||||
@ -360,6 +363,7 @@
|
||||
"database-schema": "데이터베이스 스키마",
|
||||
"database-schema-plural": "데이터베이스 스키마들",
|
||||
"database-schema-version": "데이터베이스 스키마 버전",
|
||||
"database-service": "데이터베이스 서비스",
|
||||
"database-service-name": "데이터베이스 서비스 이름",
|
||||
"database-version": "데이터베이스 버전",
|
||||
"date": "날짜",
|
||||
@ -427,6 +431,7 @@
|
||||
"distinct": "고유",
|
||||
"doc-plural": "문서들",
|
||||
"doc-plural-lowercase": "문서들",
|
||||
"doc-store": "문서 저장소",
|
||||
"document": "문서",
|
||||
"documentation": "문서화",
|
||||
"documentation-lowercase": "문서화",
|
||||
@ -514,6 +519,7 @@
|
||||
"entity-reference": "엔티티 참조",
|
||||
"entity-reference-plural": "엔티티 참조들",
|
||||
"entity-reference-types": "엔티티 참조 유형들",
|
||||
"entity-report-data": "엔티티 보고서 데이터",
|
||||
"entity-service": "{{entity}} 서비스",
|
||||
"entity-type": "엔티티 유형",
|
||||
"entity-type-plural": "{{entity}} 유형",
|
||||
@ -526,6 +532,7 @@
|
||||
"event-plural": "이벤트",
|
||||
"event-publisher-plural": "이벤트 발행자들",
|
||||
"event-statistics": "이벤트 통계",
|
||||
"event-subscription": "이벤트 구독",
|
||||
"event-type": "이벤트 유형",
|
||||
"event-type-lowercase": "이벤트 유형",
|
||||
"every": "매",
|
||||
@ -737,6 +744,9 @@
|
||||
"key": "키",
|
||||
"keyword-lowercase-plural": "키워드",
|
||||
"kill": "종료",
|
||||
"knowledge-page": "지식 페이지",
|
||||
"knowledge-panels": "지식 패널",
|
||||
"kpi": "KPI",
|
||||
"kpi-display-name": "KPI 표시 이름",
|
||||
"kpi-list": "KPI 목록",
|
||||
"kpi-name": "KPI 이름",
|
||||
@ -772,6 +782,7 @@
|
||||
"lineage": "계보",
|
||||
"lineage-config": "계보 설정",
|
||||
"lineage-data-lowercase": "계보 데이터",
|
||||
"lineage-edge": "계보 엣지",
|
||||
"lineage-ingestion": "계보 수집",
|
||||
"lineage-layer": "계보 계층",
|
||||
"lineage-lowercase": "계보",
|
||||
@ -829,11 +840,13 @@
|
||||
"messaging": "메시징",
|
||||
"messaging-lowercase": "메시징",
|
||||
"messaging-plural": "메시징들",
|
||||
"messaging-service": "메시징 서비스",
|
||||
"metadata": "메타데이터",
|
||||
"metadata-agent-plural": "메타데이터 에이전트들",
|
||||
"metadata-ingestion": "메타데이터 수집",
|
||||
"metadata-lowercase": "메타데이터",
|
||||
"metadata-plural": "메타데이터",
|
||||
"metadata-service": "메타데이터 서비스",
|
||||
"metadata-to-es-config-optional": "메타데이터를 ES로 설정 (선택사항)",
|
||||
"metapilot": "메타파일럿",
|
||||
"metapilot-suggested-description": "메타파일럿 제안 설명",
|
||||
@ -855,6 +868,7 @@
|
||||
"ml-model-lowercase": "ML 모델",
|
||||
"ml-model-lowercase-plural": "ML 모델들",
|
||||
"ml-model-plural": "ML 모델들",
|
||||
"mlmodel-service": "ML 모델 서비스",
|
||||
"mode": "모드",
|
||||
"model": "모델",
|
||||
"model-name": "모델 이름",
|
||||
@ -1007,6 +1021,7 @@
|
||||
"pipeline-lowercase-plural": "파이프라인들",
|
||||
"pipeline-name": "파이프라인 이름",
|
||||
"pipeline-plural": "파이프라인들",
|
||||
"pipeline-service": "파이프라인 서비스",
|
||||
"pipeline-state": "파이프라인 상태",
|
||||
"platform": "플랫폼",
|
||||
"platform-type-lineage": "{{platformType}} 계보",
|
||||
@ -1210,6 +1225,7 @@
|
||||
"search-index-plural": "검색 인덱스들",
|
||||
"search-index-setting-plural": "검색 인덱스 설정들",
|
||||
"search-rbac": "RBAC 검색",
|
||||
"search-service": "검색 서비스",
|
||||
"search-setting-plural": "검색 설정",
|
||||
"second-plural": "초",
|
||||
"secret-key": "비밀 키",
|
||||
@ -1312,6 +1328,7 @@
|
||||
"stopped": "중지됨",
|
||||
"storage": "저장소",
|
||||
"storage-plural": "저장소들",
|
||||
"storage-service": "스토리지 서비스",
|
||||
"stored-procedure": "저장 프로시저",
|
||||
"stored-procedure-plural": "저장 프로시저들",
|
||||
"style": "스타일",
|
||||
@ -1391,6 +1408,7 @@
|
||||
"test-case-lowercase-plural": "테스트 케이스들",
|
||||
"test-case-name": "테스트 케이스 이름",
|
||||
"test-case-plural": "테스트 케이스들",
|
||||
"test-case-resolution-status": "테스트 케이스 해결 상태",
|
||||
"test-case-result": "테스트 케이스 결과",
|
||||
"test-email": "이메일 테스트",
|
||||
"test-email-connection": "이메일 연결 테스트",
|
||||
@ -1526,6 +1544,8 @@
|
||||
"wants-to-access-your-account": "{{username}} 계정에 접근하려고 합니다",
|
||||
"warning": "경고",
|
||||
"warning-plural": "경고들",
|
||||
"web-analytic-entity-view-report-data": "웹 분석 엔티티 보기 보고서 데이터",
|
||||
"web-analytic-user-activity-report-data": "웹 분석 사용자 활동 보고서 데이터",
|
||||
"web-analytics-report": "웹 분석 보고서",
|
||||
"webhook": "웹훅",
|
||||
"webhook-display-text": "웹훅 {{displayText}}",
|
||||
@ -1538,6 +1558,7 @@
|
||||
"whats-new-version": "새로운 소식 ({{version}})",
|
||||
"widget": "위젯",
|
||||
"widget-lowercase": "위젯",
|
||||
"workflow-definition": "워크플로우 정의",
|
||||
"workflow-plural": "워크플로우들",
|
||||
"yes": "예",
|
||||
"yes-comma-confirm": "예, 확인합니다",
|
||||
|
||||
@ -89,10 +89,12 @@
|
||||
"api-collection-plural": "API संग्रह",
|
||||
"api-endpoint": "API एंडपॉईंट",
|
||||
"api-endpoint-plural": "API एंडपॉईंट्स",
|
||||
"api-service": "API सेवा",
|
||||
"api-uppercase": "API",
|
||||
"api-uppercase-plural": "APIs",
|
||||
"app-analytic-plural": "ॲप विश्लेषण",
|
||||
"app-lowercase": "ॲप",
|
||||
"app-market-place-definition": "अॅप मार्केटप्लेस डिफिनिशन",
|
||||
"app-plural": "ॲप्स",
|
||||
"application": "ऍप्लिकेशन",
|
||||
"application-by-developer": "<0>{{dev}}</0> द्वारे {{app}}",
|
||||
@ -305,6 +307,7 @@
|
||||
"dashboard-lowercase-plural": "डॅशबोर्ड्स",
|
||||
"dashboard-name": "डॅशबोर्ड नाव",
|
||||
"dashboard-plural": "डॅशबोर्ड्स",
|
||||
"dashboard-service": "डॅशबोर्ड सेवा",
|
||||
"data-aggregate": "डेटा एकत्रीकरण",
|
||||
"data-aggregation": "डेटा संकलन",
|
||||
"data-asset": "डेटा ॲसेट",
|
||||
@ -360,6 +363,7 @@
|
||||
"database-schema": "डेटाबेस योजना",
|
||||
"database-schema-plural": "डेटाबेस योजना",
|
||||
"database-schema-version": "डेटाबेस स्कीमा आवृत्ती",
|
||||
"database-service": "डेटाबेस सेवा",
|
||||
"database-service-name": "डेटाबेस सेवा नाव",
|
||||
"database-version": "डेटाबेसची आवृत्ती",
|
||||
"date": "तारीख",
|
||||
@ -427,6 +431,7 @@
|
||||
"distinct": "विशिष्ट",
|
||||
"doc-plural": "दस्तऐवज",
|
||||
"doc-plural-lowercase": "दस्तऐवज",
|
||||
"doc-store": "दस्तावेज स्टोर",
|
||||
"document": "दस्तऐवज",
|
||||
"documentation": "दस्तऐवजीकरण",
|
||||
"documentation-lowercase": "दस्तऐवजीकरण",
|
||||
@ -514,6 +519,7 @@
|
||||
"entity-reference": "घटक संदर्भ",
|
||||
"entity-reference-plural": "घटक संदर्भ",
|
||||
"entity-reference-types": "घटक संदर्भ प्रकार",
|
||||
"entity-report-data": "एंटिटी रिपोर्ट डेटा",
|
||||
"entity-service": "{{entity}} सेवा",
|
||||
"entity-type": "एन्टिटी टाइप",
|
||||
"entity-type-plural": "{{entity}} प्रकार",
|
||||
@ -526,6 +532,7 @@
|
||||
"event-plural": "इव्हेंट्स",
|
||||
"event-publisher-plural": "इव्हेंट प्रकाशक",
|
||||
"event-statistics": "घटना सांख्यिकी",
|
||||
"event-subscription": "घटना सदस्यता",
|
||||
"event-type": "इव्हेंट प्रकार",
|
||||
"event-type-lowercase": "इव्हेंट प्रकार",
|
||||
"every": "प्रत्येक",
|
||||
@ -737,6 +744,9 @@
|
||||
"key": "Key",
|
||||
"keyword-lowercase-plural": "कीवर्ड्स",
|
||||
"kill": "ठार",
|
||||
"knowledge-page": "ज्ञान पृष्ठ",
|
||||
"knowledge-panels": "ज्ञान पॅनेल्स",
|
||||
"kpi": "KPI",
|
||||
"kpi-display-name": "KPI प्रदर्शन नाव",
|
||||
"kpi-list": "KPI यादी",
|
||||
"kpi-name": "KPI नाव",
|
||||
@ -772,6 +782,7 @@
|
||||
"lineage": "वंशावळ",
|
||||
"lineage-config": "वंशावळ संरचना",
|
||||
"lineage-data-lowercase": "वंशावळ डेटा",
|
||||
"lineage-edge": "लाइनेज एजंट",
|
||||
"lineage-ingestion": "वंशावळ अंतर्ग्रहण",
|
||||
"lineage-layer": "वंशावळ स्तर",
|
||||
"lineage-lowercase": "वंशावळ",
|
||||
@ -829,11 +840,13 @@
|
||||
"messaging": "संदेशवहन",
|
||||
"messaging-lowercase": "संदेशवहन",
|
||||
"messaging-plural": "संदेशवहन",
|
||||
"messaging-service": "संदेश सेवा",
|
||||
"metadata": "मेटाडेटा",
|
||||
"metadata-agent-plural": "मेटाडेटा एजंट्स",
|
||||
"metadata-ingestion": "मेटाडेटा अंतर्ग्रहण",
|
||||
"metadata-lowercase": "मेटाडेटा",
|
||||
"metadata-plural": "मेटाडेटा",
|
||||
"metadata-service": "मेटाडेटा सेवा",
|
||||
"metadata-to-es-config-optional": "मेटाडेटा ते ES कॉन्फिग (पर्यायी)",
|
||||
"metapilot": "मेटापायलट",
|
||||
"metapilot-suggested-description": "मेटापायलट सुचवलेले वर्णन",
|
||||
@ -855,6 +868,7 @@
|
||||
"ml-model-lowercase": "ML मॉडेल",
|
||||
"ml-model-lowercase-plural": "ML मॉडेल्स",
|
||||
"ml-model-plural": "ML मॉडेल्स",
|
||||
"mlmodel-service": "ML मॉडेल सेवा",
|
||||
"mode": "मोड",
|
||||
"model": "मॉडेल",
|
||||
"model-name": "मॉडेल नाव",
|
||||
@ -1007,6 +1021,7 @@
|
||||
"pipeline-lowercase-plural": "पाइपलाइन",
|
||||
"pipeline-name": "पाइपलाइन नाव",
|
||||
"pipeline-plural": "पाइपलाइन",
|
||||
"pipeline-service": "पाइपलाइन सेवा",
|
||||
"pipeline-state": "पाइपलाइन स्थिती",
|
||||
"platform": "प्लॅटफॉर्म",
|
||||
"platform-type-lineage": "{{platformType}} वंशावळ",
|
||||
@ -1210,6 +1225,7 @@
|
||||
"search-index-plural": "शोध अनुक्रमणिका",
|
||||
"search-index-setting-plural": "शोध अनुक्रमणिका सेटिंग्ज",
|
||||
"search-rbac": "RBAC शोधा",
|
||||
"search-service": "शोध सेवा",
|
||||
"search-setting-plural": "शोध सेटिंग्ज",
|
||||
"second-plural": "सेकंद",
|
||||
"secret-key": "गुप्त की",
|
||||
@ -1312,6 +1328,7 @@
|
||||
"stopped": "थांबवले",
|
||||
"storage": "साठवण",
|
||||
"storage-plural": "साठवणी",
|
||||
"storage-service": "स्टोरेज सेवा",
|
||||
"stored-procedure": "संचित प्रक्रिया",
|
||||
"stored-procedure-plural": "संचित प्रक्रिया",
|
||||
"style": "शैली",
|
||||
@ -1391,6 +1408,7 @@
|
||||
"test-case-lowercase-plural": "चाचणी प्रकरणे",
|
||||
"test-case-name": "चाचणी प्रकरण नाव",
|
||||
"test-case-plural": "चाचणी प्रकरणे",
|
||||
"test-case-resolution-status": "टेस्ट केस स्थिती सुलभीकरण",
|
||||
"test-case-result": "चाचणी प्रकरण परिणाम",
|
||||
"test-email": "चाचणी ईमेल",
|
||||
"test-email-connection": "चाचणी ईमेल कनेक्शन",
|
||||
@ -1526,6 +1544,8 @@
|
||||
"wants-to-access-your-account": "तुमच्या {{username}} खात्यात प्रवेश करू इच्छित आहे",
|
||||
"warning": "इशारा",
|
||||
"warning-plural": "चेतावण्या",
|
||||
"web-analytic-entity-view-report-data": "वेब विश्लेषण एंटिटी दृश्य रिपोर्ट डेटा",
|
||||
"web-analytic-user-activity-report-data": "वेब विश्लेषण वापरकर्ता गती रिपोर्ट डेटा",
|
||||
"web-analytics-report": "वेब विश्लेषण अहवाल",
|
||||
"webhook": "वेबहुक",
|
||||
"webhook-display-text": "वेबहुक {{displayText}}",
|
||||
@ -1538,6 +1558,7 @@
|
||||
"whats-new-version": "नवीन काय आहे ({{version}})",
|
||||
"widget": "विजेट",
|
||||
"widget-lowercase": "विजेट",
|
||||
"workflow-definition": "वर्कफ्लो डिफिनिशन",
|
||||
"workflow-plural": "कार्यप्रवाह",
|
||||
"yes": "होय",
|
||||
"yes-comma-confirm": "होय, पुष्टी करा",
|
||||
|
||||
@ -89,10 +89,12 @@
|
||||
"api-collection-plural": "API Collections",
|
||||
"api-endpoint": "API Endpoint",
|
||||
"api-endpoint-plural": "API Endpoints",
|
||||
"api-service": "API Service",
|
||||
"api-uppercase": "API",
|
||||
"api-uppercase-plural": "APIs",
|
||||
"app-analytic-plural": "App-analyse",
|
||||
"app-lowercase": "app",
|
||||
"app-market-place-definition": "App Market Place Definition",
|
||||
"app-plural": "Apps",
|
||||
"application": "Applicatie",
|
||||
"application-by-developer": "{{app}} door <0>{{dev}}</0>",
|
||||
@ -305,6 +307,7 @@
|
||||
"dashboard-lowercase-plural": "dashboards",
|
||||
"dashboard-name": "Dashboardnaam",
|
||||
"dashboard-plural": "Dashboards",
|
||||
"dashboard-service": "Dashboard Service",
|
||||
"data-aggregate": "Data-aggregaat",
|
||||
"data-aggregation": "Data-aggregatie",
|
||||
"data-asset": "Data-asset",
|
||||
@ -360,6 +363,7 @@
|
||||
"database-schema": "Databaseschema",
|
||||
"database-schema-plural": "Databaseschema's",
|
||||
"database-schema-version": "Database-schema versie",
|
||||
"database-service": "Database Service",
|
||||
"database-service-name": "Naam databaseservice",
|
||||
"database-version": "Databaseversie",
|
||||
"date": "Datum",
|
||||
@ -427,6 +431,7 @@
|
||||
"distinct": "Onderscheidend",
|
||||
"doc-plural": "Documentatie",
|
||||
"doc-plural-lowercase": "documentatie",
|
||||
"doc-store": "Doc Store",
|
||||
"document": "Document",
|
||||
"documentation": "Documentatie",
|
||||
"documentation-lowercase": "documentatie",
|
||||
@ -514,6 +519,7 @@
|
||||
"entity-reference": "Entity Reference",
|
||||
"entity-reference-plural": "Entity References",
|
||||
"entity-reference-types": "Entity Reference Types",
|
||||
"entity-report-data": "Entity Report Data",
|
||||
"entity-service": "{{entity}}-service",
|
||||
"entity-type": "Entiteitstype",
|
||||
"entity-type-plural": "{{entity}}-type",
|
||||
@ -526,6 +532,7 @@
|
||||
"event-plural": "Events",
|
||||
"event-publisher-plural": "Gebeurtenis-publisher",
|
||||
"event-statistics": "Gebeurtenisstatistieken",
|
||||
"event-subscription": "Event Subscription",
|
||||
"event-type": "Gebeurtenistype",
|
||||
"event-type-lowercase": "event type",
|
||||
"every": "Elke",
|
||||
@ -737,6 +744,9 @@
|
||||
"key": "Key",
|
||||
"keyword-lowercase-plural": "trefwoorden",
|
||||
"kill": "Stoppen",
|
||||
"knowledge-page": "Knowledge Page",
|
||||
"knowledge-panels": "Knowledge Panels",
|
||||
"kpi": "KPI",
|
||||
"kpi-display-name": "Weergavenaam van KPI",
|
||||
"kpi-list": "KPI-lijst",
|
||||
"kpi-name": "Naam van KPI",
|
||||
@ -772,6 +782,7 @@
|
||||
"lineage": "Herkomst",
|
||||
"lineage-config": "Herkomstconfiguratie",
|
||||
"lineage-data-lowercase": "Herkomstdata",
|
||||
"lineage-edge": "Lineage Edge",
|
||||
"lineage-ingestion": "Herkomstingestie",
|
||||
"lineage-layer": "Lineage Layer",
|
||||
"lineage-lowercase": "herkomst",
|
||||
@ -829,11 +840,13 @@
|
||||
"messaging": "Berichten",
|
||||
"messaging-lowercase": "berichten",
|
||||
"messaging-plural": "Berichten",
|
||||
"messaging-service": "Messaging Service",
|
||||
"metadata": "Metadata",
|
||||
"metadata-agent-plural": "Metadata Agenten",
|
||||
"metadata-ingestion": "Metadataingestie",
|
||||
"metadata-lowercase": "metadata",
|
||||
"metadata-plural": "Metadata",
|
||||
"metadata-service": "Metadata Service",
|
||||
"metadata-to-es-config-optional": "Metadata naar ES-configuratie (Optioneel)",
|
||||
"metapilot": "MetaPilot",
|
||||
"metapilot-suggested-description": "Door Metapilot voorgestelde beschrijving",
|
||||
@ -855,6 +868,7 @@
|
||||
"ml-model-lowercase": "ML-model",
|
||||
"ml-model-lowercase-plural": "ML-modellen",
|
||||
"ml-model-plural": "ML-modellen",
|
||||
"mlmodel-service": "ML Model Service",
|
||||
"mode": "Modus",
|
||||
"model": "Model",
|
||||
"model-name": "Modelnaam",
|
||||
@ -1007,6 +1021,7 @@
|
||||
"pipeline-lowercase-plural": "pipelines",
|
||||
"pipeline-name": "Pipelinenaam",
|
||||
"pipeline-plural": "Pipelines",
|
||||
"pipeline-service": "Pipeline Service",
|
||||
"pipeline-state": "Pipelinestatus",
|
||||
"platform": "Platform",
|
||||
"platform-type-lineage": "{{platformType}} Herkomst",
|
||||
@ -1210,6 +1225,7 @@
|
||||
"search-index-plural": "Zoekindexen",
|
||||
"search-index-setting-plural": "Instellingen voor zoekindexen",
|
||||
"search-rbac": "Search RBAC",
|
||||
"search-service": "Search Service",
|
||||
"search-setting-plural": "Zoekinstellingen",
|
||||
"second-plural": "Seconden",
|
||||
"secret-key": "Geheime sleutel",
|
||||
@ -1312,6 +1328,7 @@
|
||||
"stopped": "Gestopt",
|
||||
"storage": "Storage",
|
||||
"storage-plural": "Storages",
|
||||
"storage-service": "Storage Service",
|
||||
"stored-procedure": "Stored Procedure",
|
||||
"stored-procedure-plural": "Stored Procedures",
|
||||
"style": "Stijl",
|
||||
@ -1391,6 +1408,7 @@
|
||||
"test-case-lowercase-plural": "testcases",
|
||||
"test-case-name": "Testcasenaam",
|
||||
"test-case-plural": "Testcases",
|
||||
"test-case-resolution-status": "Test Case Resolution Status",
|
||||
"test-case-result": "Testcaseresultaten",
|
||||
"test-email": "Test E-mail",
|
||||
"test-email-connection": "Test emailconnectie",
|
||||
@ -1526,6 +1544,8 @@
|
||||
"wants-to-access-your-account": "wil toegang tot je {{username}} account",
|
||||
"warning": "Waarschuwing",
|
||||
"warning-plural": "Waarschuwingen",
|
||||
"web-analytic-entity-view-report-data": "Web Analytic Entity View Report Data",
|
||||
"web-analytic-user-activity-report-data": "Web Analytic User Activity Report Data",
|
||||
"web-analytics-report": "Webanalyserapport",
|
||||
"webhook": "Webhook",
|
||||
"webhook-display-text": "Webhook {{displayText}}",
|
||||
@ -1538,6 +1558,7 @@
|
||||
"whats-new-version": "Wat is nieuw ({{version}})",
|
||||
"widget": "Widget",
|
||||
"widget-lowercase": "widget",
|
||||
"workflow-definition": "Workflow Definition",
|
||||
"workflow-plural": "Workflows",
|
||||
"yes": "Ja",
|
||||
"yes-comma-confirm": "Ja, bevestig",
|
||||
|
||||
@ -89,10 +89,12 @@
|
||||
"api-collection-plural": "مجموعههای API",
|
||||
"api-endpoint": "نقطه انتهایی API",
|
||||
"api-endpoint-plural": "نقاط انتهایی API",
|
||||
"api-service": "سرویس API",
|
||||
"api-uppercase": "API",
|
||||
"api-uppercase-plural": "APIها",
|
||||
"app-analytic-plural": "تحلیلهای برنامه",
|
||||
"app-lowercase": "برنامه",
|
||||
"app-market-place-definition": "تعریف بازارچه برنامهها",
|
||||
"app-plural": "برنامهها",
|
||||
"application": "برنامه",
|
||||
"application-by-developer": "{{app}} توسط <0>{{dev}}</0>",
|
||||
@ -305,6 +307,7 @@
|
||||
"dashboard-lowercase-plural": "داشبوردها",
|
||||
"dashboard-name": "نام داشبورد",
|
||||
"dashboard-plural": "داشبوردها",
|
||||
"dashboard-service": "سرویس داشبورد",
|
||||
"data-aggregate": "تجمیع داده",
|
||||
"data-aggregation": "تجمیع دادهها",
|
||||
"data-asset": "دارایی داده",
|
||||
@ -360,6 +363,7 @@
|
||||
"database-schema": "اسکیمای پایگاه داده",
|
||||
"database-schema-plural": "اسکیمای پایگاههای داده",
|
||||
"database-schema-version": "نسخه سکویا پایگاه داده",
|
||||
"database-service": "سرویس پایگاه داده",
|
||||
"database-service-name": "نام سرویس پایگاه داده",
|
||||
"database-version": "نسخه پایگاه داده",
|
||||
"date": "تاریخ",
|
||||
@ -427,6 +431,7 @@
|
||||
"distinct": "متمایز",
|
||||
"doc-plural": "مستندات",
|
||||
"doc-plural-lowercase": "مستندات",
|
||||
"doc-store": "ذخیرهساز اسناد",
|
||||
"document": "سند",
|
||||
"documentation": "مستندات",
|
||||
"documentation-lowercase": "مستندات",
|
||||
@ -514,6 +519,7 @@
|
||||
"entity-reference": "مرجع نهاد",
|
||||
"entity-reference-plural": "مراجع نهاد",
|
||||
"entity-reference-types": "انواع مرجع نهاد",
|
||||
"entity-report-data": "دادههای گزارش موجودیت",
|
||||
"entity-service": "سرویس {{entity}}",
|
||||
"entity-type": "نوع جسم",
|
||||
"entity-type-plural": "انواع {{entity}}",
|
||||
@ -526,6 +532,7 @@
|
||||
"event-plural": "Events",
|
||||
"event-publisher-plural": "ناشران رویداد",
|
||||
"event-statistics": "آمار رویدادها",
|
||||
"event-subscription": "اشتراکگذاری رویداد",
|
||||
"event-type": "نوع رویداد",
|
||||
"event-type-lowercase": "نوع رویداد",
|
||||
"every": "هر",
|
||||
@ -737,6 +744,9 @@
|
||||
"key": "Key",
|
||||
"keyword-lowercase-plural": "کلمات کلیدی",
|
||||
"kill": "کشتن",
|
||||
"knowledge-page": "صفحه دانش",
|
||||
"knowledge-panels": "پنلهای دانش",
|
||||
"kpi": "شاخص کلیدی عملکرد (KPI)",
|
||||
"kpi-display-name": "نام نمایشی KPI",
|
||||
"kpi-list": "لیست KPI",
|
||||
"kpi-name": "نام KPI",
|
||||
@ -772,6 +782,7 @@
|
||||
"lineage": "شجره داده",
|
||||
"lineage-config": "تنظیمات شجره داده",
|
||||
"lineage-data-lowercase": "دادههای شجره داده",
|
||||
"lineage-edge": "لبه شجرهنامه",
|
||||
"lineage-ingestion": "دریافت شجره داده",
|
||||
"lineage-layer": "Lineage Layer",
|
||||
"lineage-lowercase": "شجره داده",
|
||||
@ -829,11 +840,13 @@
|
||||
"messaging": "پیامرسانی",
|
||||
"messaging-lowercase": "پیامرسانی",
|
||||
"messaging-plural": "پیامرسانیها",
|
||||
"messaging-service": "سرویس پیامرسانی",
|
||||
"metadata": "فراداده",
|
||||
"metadata-agent-plural": "Agentes de Metadatos",
|
||||
"metadata-ingestion": "دریافت فراداده",
|
||||
"metadata-lowercase": "فراداده",
|
||||
"metadata-plural": "فرادادهها",
|
||||
"metadata-service": "سرویس فراداده",
|
||||
"metadata-to-es-config-optional": "تنظیمات فراداده به ES (اختیاری)",
|
||||
"metapilot": "MetaPilot",
|
||||
"metapilot-suggested-description": "توضیحات پیشنهادی Metapilot",
|
||||
@ -855,6 +868,7 @@
|
||||
"ml-model-lowercase": "مدل یادگیری ماشین",
|
||||
"ml-model-lowercase-plural": "مدلهای یادگیری ماشین",
|
||||
"ml-model-plural": "مدلهای یادگیری ماشین",
|
||||
"mlmodel-service": "سرویس مدل یادگیری ماشین",
|
||||
"mode": "حالت",
|
||||
"model": "مدل",
|
||||
"model-name": "نام مدل",
|
||||
@ -1007,6 +1021,7 @@
|
||||
"pipeline-lowercase-plural": "خطوط لوله",
|
||||
"pipeline-name": "نام خط لوله",
|
||||
"pipeline-plural": "خطوط لوله",
|
||||
"pipeline-service": "سرویس پایپلاین",
|
||||
"pipeline-state": "وضعیت خط لوله",
|
||||
"platform": "پلتفرم",
|
||||
"platform-type-lineage": "{{platformType}} شجره داده",
|
||||
@ -1210,6 +1225,7 @@
|
||||
"search-index-plural": "شاخصهای جستجو",
|
||||
"search-index-setting-plural": "تنظیمات شاخص جستجو",
|
||||
"search-rbac": "Search RBAC",
|
||||
"search-service": "سرویس جستجو",
|
||||
"search-setting-plural": "تنظیمات جستجو",
|
||||
"second-plural": "ثانیهها",
|
||||
"secret-key": "کلید مخفی",
|
||||
@ -1312,6 +1328,7 @@
|
||||
"stopped": "متوقف شد",
|
||||
"storage": "ذخیرهسازی",
|
||||
"storage-plural": "ذخیرهسازیها",
|
||||
"storage-service": "سرویس ذخیرهسازی",
|
||||
"stored-procedure": "رویه ذخیرهشده",
|
||||
"stored-procedure-plural": "رویههای ذخیرهشده",
|
||||
"style": "سبک",
|
||||
@ -1391,6 +1408,7 @@
|
||||
"test-case-lowercase-plural": "موردهای تست",
|
||||
"test-case-name": "نام مورد تست",
|
||||
"test-case-plural": "موردهای تست",
|
||||
"test-case-resolution-status": "وضعیت حل موارد آزمون",
|
||||
"test-case-result": "نتایج مورد تست",
|
||||
"test-email": "ایمیل تست",
|
||||
"test-email-connection": "تست اتصال ایمیل",
|
||||
@ -1526,6 +1544,8 @@
|
||||
"wants-to-access-your-account": "میخواهد به حساب {{username}} شما دسترسی پیدا کند",
|
||||
"warning": "هشدار",
|
||||
"warning-plural": "هشدارها",
|
||||
"web-analytic-entity-view-report-data": "دادههای گزارش نمای موجودیت تحلیل وب",
|
||||
"web-analytic-user-activity-report-data": "دادههای گزارش فعالیت کاربر تحلیل وب",
|
||||
"web-analytics-report": "گزارش تحلیل وب",
|
||||
"webhook": "وبهوک",
|
||||
"webhook-display-text": "وبهوک {{displayText}}",
|
||||
@ -1538,6 +1558,7 @@
|
||||
"whats-new-version": "چه چیز جدید است ({{version}})",
|
||||
"widget": "ویجت",
|
||||
"widget-lowercase": "ویجت",
|
||||
"workflow-definition": "تعریف جریان کار",
|
||||
"workflow-plural": "جریانهای کاری",
|
||||
"yes": "بله",
|
||||
"yes-comma-confirm": "بله، تأیید",
|
||||
|
||||
@ -89,10 +89,12 @@
|
||||
"api-collection-plural": "Coleções de API",
|
||||
"api-endpoint": "Endpoint da API",
|
||||
"api-endpoint-plural": "Endpoints de API",
|
||||
"api-service": "Serviço de API",
|
||||
"api-uppercase": "API",
|
||||
"api-uppercase-plural": "APIs",
|
||||
"app-analytic-plural": "Análises de App",
|
||||
"app-lowercase": "aplicação",
|
||||
"app-market-place-definition": "Definição de Marketplace de Apps",
|
||||
"app-plural": "Aplicativos",
|
||||
"application": "Aplicativo",
|
||||
"application-by-developer": "{{app}} por <0>{{dev}}</0>",
|
||||
@ -305,6 +307,7 @@
|
||||
"dashboard-lowercase-plural": "painéis",
|
||||
"dashboard-name": "Nome do Painel",
|
||||
"dashboard-plural": "Painéis",
|
||||
"dashboard-service": "Serviço de Painel",
|
||||
"data-aggregate": "Agregação de Dados",
|
||||
"data-aggregation": "Agregação de Dados",
|
||||
"data-asset": "Ativo de Dados",
|
||||
@ -360,6 +363,7 @@
|
||||
"database-schema": "Esquema da Base de Dados",
|
||||
"database-schema-plural": "Esquemas de banco de dados",
|
||||
"database-schema-version": "Versão do esquema do banco de dados",
|
||||
"database-service": "Serviço de Banco de Dados",
|
||||
"database-service-name": "Nome do Serviço de Base de Dados",
|
||||
"database-version": "Versão do banco de dados",
|
||||
"date": "Data",
|
||||
@ -427,6 +431,7 @@
|
||||
"distinct": "Distinto",
|
||||
"doc-plural": "Documentos",
|
||||
"doc-plural-lowercase": "documentos",
|
||||
"doc-store": "Armazenamento de Documentos",
|
||||
"document": "Documento",
|
||||
"documentation": "Documentação",
|
||||
"documentation-lowercase": "documentação",
|
||||
@ -514,6 +519,7 @@
|
||||
"entity-reference": "Referência de Entidade",
|
||||
"entity-reference-plural": "Referências de entidades",
|
||||
"entity-reference-types": "Tipos de referência de entidades",
|
||||
"entity-report-data": "Dados de Relatório de Entidade",
|
||||
"entity-service": "Serviço de {{entity}}",
|
||||
"entity-type": "Tipo de entidade",
|
||||
"entity-type-plural": "Tipo de {{entity}}",
|
||||
@ -526,6 +532,7 @@
|
||||
"event-plural": "Eventos",
|
||||
"event-publisher-plural": "Publicadores de Eventos",
|
||||
"event-statistics": "Estatísticas de eventos",
|
||||
"event-subscription": "Assinatura de Evento",
|
||||
"event-type": "Tipo de Evento",
|
||||
"event-type-lowercase": "tipo de evento",
|
||||
"every": "Cada",
|
||||
@ -737,6 +744,9 @@
|
||||
"key": "Chave",
|
||||
"keyword-lowercase-plural": "palavras-chave",
|
||||
"kill": "Finalizar",
|
||||
"knowledge-page": "Página de Conhecimento",
|
||||
"knowledge-panels": "Painéis de Conhecimento",
|
||||
"kpi": "KPI",
|
||||
"kpi-display-name": "Nome de Exibição do KPI",
|
||||
"kpi-list": "Lista de KPI",
|
||||
"kpi-name": "Nome do KPI",
|
||||
@ -772,6 +782,7 @@
|
||||
"lineage": "Linhagem",
|
||||
"lineage-config": "Configuração de Linhagem",
|
||||
"lineage-data-lowercase": "dados de linhagem",
|
||||
"lineage-edge": "Aresta de Linhagem",
|
||||
"lineage-ingestion": "Ingestão de Linhagem",
|
||||
"lineage-layer": "Camada de linhagem",
|
||||
"lineage-lowercase": "linhagem",
|
||||
@ -829,11 +840,13 @@
|
||||
"messaging": "Mensagens",
|
||||
"messaging-lowercase": "mensagens",
|
||||
"messaging-plural": "Mensagens",
|
||||
"messaging-service": "Serviço de Mensagens",
|
||||
"metadata": "Metadados",
|
||||
"metadata-agent-plural": "Agentes de Metadatos",
|
||||
"metadata-ingestion": "Ingestão de Metadados",
|
||||
"metadata-lowercase": "metadados",
|
||||
"metadata-plural": "Metadados",
|
||||
"metadata-service": "Serviço de Metadados",
|
||||
"metadata-to-es-config-optional": "Metadados para Configuração ES (Opcional)",
|
||||
"metapilot": "MetaPilot",
|
||||
"metapilot-suggested-description": "Descrição sugerida do Metapilot",
|
||||
@ -855,6 +868,7 @@
|
||||
"ml-model-lowercase": "modelo de ML",
|
||||
"ml-model-lowercase-plural": "modelos de ML",
|
||||
"ml-model-plural": "Modelos de ML",
|
||||
"mlmodel-service": "Serviço de Modelo de ML",
|
||||
"mode": "Modo",
|
||||
"model": "Modelo",
|
||||
"model-name": "Nome do Modelo",
|
||||
@ -1007,6 +1021,7 @@
|
||||
"pipeline-lowercase-plural": "pipelines",
|
||||
"pipeline-name": "Nome do Pipeline",
|
||||
"pipeline-plural": "Pipelines",
|
||||
"pipeline-service": "Serviço de Pipeline",
|
||||
"pipeline-state": "Estado do Pipeline",
|
||||
"platform": "Plataforma",
|
||||
"platform-type-lineage": "{{platformType}} Linhagem",
|
||||
@ -1210,6 +1225,7 @@
|
||||
"search-index-plural": "Índices de Pesquisa",
|
||||
"search-index-setting-plural": "Configurações de Índice de Pesquisa",
|
||||
"search-rbac": "Pesquisar RBAC",
|
||||
"search-service": "Serviço de Pesquisa",
|
||||
"search-setting-plural": "Configurações de busca",
|
||||
"second-plural": "Segundos",
|
||||
"secret-key": "Chave Secreta",
|
||||
@ -1312,6 +1328,7 @@
|
||||
"stopped": "Parado",
|
||||
"storage": "Armazenamento",
|
||||
"storage-plural": "Armazenamentos",
|
||||
"storage-service": "Serviço de Armazenamento",
|
||||
"stored-procedure": "Procedimento Armazenado",
|
||||
"stored-procedure-plural": "Procedimentos Armazenados",
|
||||
"style": "Estilo",
|
||||
@ -1391,6 +1408,7 @@
|
||||
"test-case-lowercase-plural": "casos de teste",
|
||||
"test-case-name": "Nome do Caso de Teste",
|
||||
"test-case-plural": "Casos de Teste",
|
||||
"test-case-resolution-status": "Status de Resolução do Caso de Teste",
|
||||
"test-case-result": "Resultados do Caso de Teste",
|
||||
"test-email": "E-mail de Teste",
|
||||
"test-email-connection": "Testar conexão de e-mail",
|
||||
@ -1526,6 +1544,8 @@
|
||||
"wants-to-access-your-account": "quer acessar sua conta {{username}}",
|
||||
"warning": "Aviso",
|
||||
"warning-plural": "Avisos",
|
||||
"web-analytic-entity-view-report-data": "Dados de Visualização de Entidade Analítica Web",
|
||||
"web-analytic-user-activity-report-data": "Dados de Atividade do Usuário Analítica Web",
|
||||
"web-analytics-report": "Relatório de Análise da Web",
|
||||
"webhook": "Webhook",
|
||||
"webhook-display-text": "Webhook {{displayText}}",
|
||||
@ -1538,6 +1558,7 @@
|
||||
"whats-new-version": "Novidades ({{version}})",
|
||||
"widget": "Widget",
|
||||
"widget-lowercase": "widget",
|
||||
"workflow-definition": "Definição de Fluxo de Trabalho",
|
||||
"workflow-plural": "Fluxos de Trabalho",
|
||||
"yes": "Sim",
|
||||
"yes-comma-confirm": "Sim, confirmar",
|
||||
|
||||
@ -89,10 +89,12 @@
|
||||
"api-collection-plural": "API Collections",
|
||||
"api-endpoint": "API Endpoint",
|
||||
"api-endpoint-plural": "API Endpoints",
|
||||
"api-service": "Serviço de API",
|
||||
"api-uppercase": "API",
|
||||
"api-uppercase-plural": "APIs",
|
||||
"app-analytic-plural": "Análises de App",
|
||||
"app-lowercase": "app",
|
||||
"app-market-place-definition": "Definição do Mercado de Aplicações",
|
||||
"app-plural": "Apps",
|
||||
"application": "Aplicativo",
|
||||
"application-by-developer": "{{app}} por <0>{{dev}}</0>",
|
||||
@ -305,6 +307,7 @@
|
||||
"dashboard-lowercase-plural": "painéis",
|
||||
"dashboard-name": "Nome do Painel",
|
||||
"dashboard-plural": "Painéis",
|
||||
"dashboard-service": "Serviço de Painel",
|
||||
"data-aggregate": "Agregação de Dados",
|
||||
"data-aggregation": "Agregação de Dados",
|
||||
"data-asset": "Ativo de Dados",
|
||||
@ -360,6 +363,7 @@
|
||||
"database-schema": "Esquema da Base de Dados",
|
||||
"database-schema-plural": "Database Schemas",
|
||||
"database-schema-version": "Versão do esquema da base de dados",
|
||||
"database-service": "Serviço de Base de Dados",
|
||||
"database-service-name": "Nome do Serviço de Base de Dados",
|
||||
"database-version": "Versão da base de dados",
|
||||
"date": "Data",
|
||||
@ -427,6 +431,7 @@
|
||||
"distinct": "Distinto",
|
||||
"doc-plural": "Documentos",
|
||||
"doc-plural-lowercase": "documentos",
|
||||
"doc-store": "Armazenamento de Documentos",
|
||||
"document": "Documento",
|
||||
"documentation": "Documentação",
|
||||
"documentation-lowercase": "documentação",
|
||||
@ -514,6 +519,7 @@
|
||||
"entity-reference": "Entity Reference",
|
||||
"entity-reference-plural": "Entity References",
|
||||
"entity-reference-types": "Entity Reference Types",
|
||||
"entity-report-data": "Dados do Relatório da Entidade",
|
||||
"entity-service": "Serviço de {{entity}}",
|
||||
"entity-type": "Tipo de entidade",
|
||||
"entity-type-plural": "Tipo de {{entity}}",
|
||||
@ -526,6 +532,7 @@
|
||||
"event-plural": "Events",
|
||||
"event-publisher-plural": "Publicadores de Eventos",
|
||||
"event-statistics": "Event Statistics",
|
||||
"event-subscription": "Subscrição de Evento",
|
||||
"event-type": "Tipo de Evento",
|
||||
"event-type-lowercase": "event type",
|
||||
"every": "Cada",
|
||||
@ -737,6 +744,9 @@
|
||||
"key": "Key",
|
||||
"keyword-lowercase-plural": "palavras-chave",
|
||||
"kill": "Finalizar",
|
||||
"knowledge-page": "Página de Conhecimento",
|
||||
"knowledge-panels": "Painéis de Conhecimento",
|
||||
"kpi": "KPI",
|
||||
"kpi-display-name": "Nome de Exibição do KPI",
|
||||
"kpi-list": "Lista de KPI",
|
||||
"kpi-name": "Nome do KPI",
|
||||
@ -772,6 +782,7 @@
|
||||
"lineage": "Linhagem",
|
||||
"lineage-config": "Configuração de Linhagem",
|
||||
"lineage-data-lowercase": "dados de linhagem",
|
||||
"lineage-edge": "Aresta de Linhagem",
|
||||
"lineage-ingestion": "Ingestão de Linhagem",
|
||||
"lineage-layer": "Lineage Layer",
|
||||
"lineage-lowercase": "linhagem",
|
||||
@ -829,11 +840,13 @@
|
||||
"messaging": "Mensagens",
|
||||
"messaging-lowercase": "mensagens",
|
||||
"messaging-plural": "Mensagens",
|
||||
"messaging-service": "Serviço de Mensagens",
|
||||
"metadata": "Metadados",
|
||||
"metadata-agent-plural": "Agentes de Metadados",
|
||||
"metadata-ingestion": "Ingestão de Metadados",
|
||||
"metadata-lowercase": "metadados",
|
||||
"metadata-plural": "Metadados",
|
||||
"metadata-service": "Serviço de Metadados",
|
||||
"metadata-to-es-config-optional": "Metadados para Configuração ES (Opcional)",
|
||||
"metapilot": "MetaPilot",
|
||||
"metapilot-suggested-description": "Metapilot Suggested Description",
|
||||
@ -855,6 +868,7 @@
|
||||
"ml-model-lowercase": "modelo de ML",
|
||||
"ml-model-lowercase-plural": "modelos de ML",
|
||||
"ml-model-plural": "Modelos de ML",
|
||||
"mlmodel-service": "Serviço de Modelo de ML",
|
||||
"mode": "Modo",
|
||||
"model": "Modelo",
|
||||
"model-name": "Nome do Modelo",
|
||||
@ -1007,6 +1021,7 @@
|
||||
"pipeline-lowercase-plural": "pipelines",
|
||||
"pipeline-name": "Nome do Pipeline",
|
||||
"pipeline-plural": "Pipelines",
|
||||
"pipeline-service": "Serviço de Pipeline",
|
||||
"pipeline-state": "Estado do Pipeline",
|
||||
"platform": "Platform",
|
||||
"platform-type-lineage": "{{platformType}} Linhagem",
|
||||
@ -1210,6 +1225,7 @@
|
||||
"search-index-plural": "Índices de Pesquisa",
|
||||
"search-index-setting-plural": "Configurações de Índice de Pesquisa",
|
||||
"search-rbac": "Search RBAC",
|
||||
"search-service": "Serviço de Pesquisa",
|
||||
"search-setting-plural": "Definições de pesquisa",
|
||||
"second-plural": "Segundos",
|
||||
"secret-key": "Chave Secreta",
|
||||
@ -1312,6 +1328,7 @@
|
||||
"stopped": "Parado",
|
||||
"storage": "Armazenamento",
|
||||
"storage-plural": "Armazenamentos",
|
||||
"storage-service": "Serviço de Armazenamento",
|
||||
"stored-procedure": "Procedimento Armazenado",
|
||||
"stored-procedure-plural": "Procedimentos Armazenados",
|
||||
"style": "Estilo",
|
||||
@ -1391,6 +1408,7 @@
|
||||
"test-case-lowercase-plural": "casos de teste",
|
||||
"test-case-name": "Nome do Caso de Teste",
|
||||
"test-case-plural": "Casos de Teste",
|
||||
"test-case-resolution-status": "Estado da Resolução do Caso de Teste",
|
||||
"test-case-result": "Resultados do Caso de Teste",
|
||||
"test-email": "E-mail de Teste",
|
||||
"test-email-connection": "Test Email Connection",
|
||||
@ -1526,6 +1544,8 @@
|
||||
"wants-to-access-your-account": "quer acessar sua conta {{username}}",
|
||||
"warning": "Aviso",
|
||||
"warning-plural": "Avisos",
|
||||
"web-analytic-entity-view-report-data": "Dados do Relatório de Visualização da Entidade Analítica Web",
|
||||
"web-analytic-user-activity-report-data": "Dados do Relatório de Atividade do Utilizador Analítica Web",
|
||||
"web-analytics-report": "Relatório de Análise da Web",
|
||||
"webhook": "Webhook",
|
||||
"webhook-display-text": "Webhook {{displayText}}",
|
||||
@ -1538,6 +1558,7 @@
|
||||
"whats-new-version": "Novidades ({{version}})",
|
||||
"widget": "Widget",
|
||||
"widget-lowercase": "widget",
|
||||
"workflow-definition": "Definição do Fluxo de Trabalho",
|
||||
"workflow-plural": "Fluxos de Trabalho",
|
||||
"yes": "Sim",
|
||||
"yes-comma-confirm": "Sim, confirmar",
|
||||
|
||||
@ -89,10 +89,12 @@
|
||||
"api-collection-plural": "API Collections",
|
||||
"api-endpoint": "API Endpoint",
|
||||
"api-endpoint-plural": "API Endpoints",
|
||||
"api-service": "Сервис API",
|
||||
"api-uppercase": "API",
|
||||
"api-uppercase-plural": "APIs",
|
||||
"app-analytic-plural": "App Analytics",
|
||||
"app-lowercase": "app",
|
||||
"app-market-place-definition": "Определение маркетплейса приложений",
|
||||
"app-plural": "Apps",
|
||||
"application": "Application",
|
||||
"application-by-developer": "{{app}} by <0>{{dev}}</0>",
|
||||
@ -305,6 +307,7 @@
|
||||
"dashboard-lowercase-plural": "дашборды",
|
||||
"dashboard-name": "Наименование дашборда",
|
||||
"dashboard-plural": "Дашборды",
|
||||
"dashboard-service": "Сервис панели управления",
|
||||
"data-aggregate": "Сводные данные",
|
||||
"data-aggregation": "Агрегация данных",
|
||||
"data-asset": "Объект данных",
|
||||
@ -360,6 +363,7 @@
|
||||
"database-schema": "Схема базы данных",
|
||||
"database-schema-plural": "Database Schemas",
|
||||
"database-schema-version": "Версия схемы базы данных",
|
||||
"database-service": "Сервис базы данных",
|
||||
"database-service-name": "Наименование сервиса базы данных",
|
||||
"database-version": "Версия базы данных",
|
||||
"date": "Дата",
|
||||
@ -427,6 +431,7 @@
|
||||
"distinct": "Различные значения",
|
||||
"doc-plural": "Документы",
|
||||
"doc-plural-lowercase": "документы",
|
||||
"doc-store": "Хранилище документов",
|
||||
"document": "Document",
|
||||
"documentation": "Документация",
|
||||
"documentation-lowercase": "документация",
|
||||
@ -514,6 +519,7 @@
|
||||
"entity-reference": "Entity Reference",
|
||||
"entity-reference-plural": "Entity References",
|
||||
"entity-reference-types": "Entity Reference Types",
|
||||
"entity-report-data": "Данные отчёта по сущности",
|
||||
"entity-service": "Сервис {{entity}}",
|
||||
"entity-type": "Тип сущности",
|
||||
"entity-type-plural": "Тип {{entity}}",
|
||||
@ -526,6 +532,7 @@
|
||||
"event-plural": "Events",
|
||||
"event-publisher-plural": "Издатели события",
|
||||
"event-statistics": "Статистика событий",
|
||||
"event-subscription": "Подписка на события",
|
||||
"event-type": "Тип события",
|
||||
"event-type-lowercase": "event type",
|
||||
"every": "Каждый",
|
||||
@ -737,6 +744,9 @@
|
||||
"key": "Key",
|
||||
"keyword-lowercase-plural": "ключевые слова",
|
||||
"kill": "Уничтожить",
|
||||
"knowledge-page": "Страница знаний",
|
||||
"knowledge-panels": "Панели знаний",
|
||||
"kpi": "Ключевые показатели эффективности (KPI)",
|
||||
"kpi-display-name": "Отображаемое имя KPI",
|
||||
"kpi-list": "Перечень KPI",
|
||||
"kpi-name": "Наименование KPI",
|
||||
@ -772,6 +782,7 @@
|
||||
"lineage": "Происхождение",
|
||||
"lineage-config": "Конфигурация происхождения",
|
||||
"lineage-data-lowercase": "данные о происхождении",
|
||||
"lineage-edge": "Граница происхождения",
|
||||
"lineage-ingestion": "Получение проихождения",
|
||||
"lineage-layer": "Lineage Layer",
|
||||
"lineage-lowercase": "происходение",
|
||||
@ -829,11 +840,13 @@
|
||||
"messaging": "Обмен сообщениями",
|
||||
"messaging-lowercase": "обмен сообщениями",
|
||||
"messaging-plural": "Обмен сообщениями",
|
||||
"messaging-service": "Сервис обмена сообщениями",
|
||||
"metadata": "Метаданные",
|
||||
"metadata-agent-plural": "Агенты метаданных",
|
||||
"metadata-ingestion": "Получение метаданных",
|
||||
"metadata-lowercase": "метаданные",
|
||||
"metadata-plural": "Метаданные",
|
||||
"metadata-service": "Сервис метаданных",
|
||||
"metadata-to-es-config-optional": "Метаданные для конфигурации ES (необязательно)",
|
||||
"metapilot": "MetaPilot",
|
||||
"metapilot-suggested-description": "Metapilot Suggested Description",
|
||||
@ -855,6 +868,7 @@
|
||||
"ml-model-lowercase": "ML модель",
|
||||
"ml-model-lowercase-plural": "ML модели",
|
||||
"ml-model-plural": "ML Модели",
|
||||
"mlmodel-service": "Сервис ML-моделей",
|
||||
"mode": "Режим",
|
||||
"model": "Модель",
|
||||
"model-name": "Наименование модели",
|
||||
@ -1007,6 +1021,7 @@
|
||||
"pipeline-lowercase-plural": "пайплайны",
|
||||
"pipeline-name": "Наименование пайплайна",
|
||||
"pipeline-plural": "Пайплайны",
|
||||
"pipeline-service": "Сервис конвейера",
|
||||
"pipeline-state": "Состояние",
|
||||
"platform": "Platform",
|
||||
"platform-type-lineage": "{{platformType}} Происхождение",
|
||||
@ -1210,6 +1225,7 @@
|
||||
"search-index-plural": "Search Indexes",
|
||||
"search-index-setting-plural": "Search Index Settings",
|
||||
"search-rbac": "Search RBAC",
|
||||
"search-service": "Сервис поиска",
|
||||
"search-setting-plural": "Настройки поиска",
|
||||
"second-plural": "Секунды",
|
||||
"secret-key": "Секретный ключ",
|
||||
@ -1312,6 +1328,7 @@
|
||||
"stopped": "Остановлено",
|
||||
"storage": "Хранилище",
|
||||
"storage-plural": "Хранилища",
|
||||
"storage-service": "Сервис хранения данных",
|
||||
"stored-procedure": "Stored Procedure",
|
||||
"stored-procedure-plural": "Stored Procedures",
|
||||
"style": "Style",
|
||||
@ -1391,6 +1408,7 @@
|
||||
"test-case-lowercase-plural": "test cases",
|
||||
"test-case-name": "Test Case Name",
|
||||
"test-case-plural": "Test Cases",
|
||||
"test-case-resolution-status": "Статус решения тестового случая",
|
||||
"test-case-result": "Test Case Results",
|
||||
"test-email": "Test Email",
|
||||
"test-email-connection": "Test Email Connection",
|
||||
@ -1526,6 +1544,8 @@
|
||||
"wants-to-access-your-account": "wants to access your {{username}} account",
|
||||
"warning": "Предупреждение",
|
||||
"warning-plural": "Warnings",
|
||||
"web-analytic-entity-view-report-data": "Данные отчёта о просмотре сущности в веб-аналитике",
|
||||
"web-analytic-user-activity-report-data": "Данные отчёта о активности пользователя в веб-аналитике",
|
||||
"web-analytics-report": "Отчет web-аналитики",
|
||||
"webhook": "Webhook",
|
||||
"webhook-display-text": "Webhook {{displayText}}",
|
||||
@ -1538,6 +1558,7 @@
|
||||
"whats-new-version": "What's New ({{version}})",
|
||||
"widget": "Widget",
|
||||
"widget-lowercase": "widget",
|
||||
"workflow-definition": "Определение рабочего процесса",
|
||||
"workflow-plural": "Workflows",
|
||||
"yes": "Да",
|
||||
"yes-comma-confirm": "Yes, confirm",
|
||||
|
||||
@ -89,10 +89,12 @@
|
||||
"api-collection-plural": "การรวบรวม API หลายรายการ",
|
||||
"api-endpoint": "จุดสิ้นสุด API",
|
||||
"api-endpoint-plural": "จุดสิ้นสุด API หลายรายการ",
|
||||
"api-service": "บริการ API",
|
||||
"api-uppercase": "API",
|
||||
"api-uppercase-plural": "APIs",
|
||||
"app-analytic-plural": "วิเคราะห์แอปพลิเคชัน",
|
||||
"app-lowercase": "แอป",
|
||||
"app-market-place-definition": "คำจำกัดความตลาดแอป",
|
||||
"app-plural": "แอปพลิเคชัน",
|
||||
"application": "แอปพลิเคชัน",
|
||||
"application-by-developer": "{{app}} โดย <0>{{dev}}</0>",
|
||||
@ -305,6 +307,7 @@
|
||||
"dashboard-lowercase-plural": "แดชบอร์ดหลายรายการ",
|
||||
"dashboard-name": "ชื่อแดชบอร์ด",
|
||||
"dashboard-plural": "แดชบอร์ดหลายรายการ",
|
||||
"dashboard-service": "บริการแดชบอร์ด",
|
||||
"data-aggregate": "การรวมข้อมูล",
|
||||
"data-aggregation": "การรวบรวมข้อมูล",
|
||||
"data-asset": "ทรัพย์สินข้อมูล",
|
||||
@ -360,6 +363,7 @@
|
||||
"database-schema": "สคีมาของฐานข้อมูล",
|
||||
"database-schema-plural": "สคีมาของฐานข้อมูลหลายรายการ",
|
||||
"database-schema-version": "เวอร์ชันสคีมาของฐานข้อมูล",
|
||||
"database-service": "บริการฐานข้อมูล",
|
||||
"database-service-name": "ชื่อบริการฐานข้อมูล",
|
||||
"database-version": "เวอร์ชันของฐานข้อมูล",
|
||||
"date": "วันที่",
|
||||
@ -427,6 +431,7 @@
|
||||
"distinct": "ที่แตกต่าง",
|
||||
"doc-plural": "เอกสาร",
|
||||
"doc-plural-lowercase": "เอกสาร",
|
||||
"doc-store": "ที่เก็บเอกสาร",
|
||||
"document": "เอกสาร",
|
||||
"documentation": "เอกสารคู่มือ",
|
||||
"documentation-lowercase": "เอกสารคู่มือ",
|
||||
@ -514,6 +519,7 @@
|
||||
"entity-reference": "อ้างอิงเอนทิตี",
|
||||
"entity-reference-plural": "การอ้างอิงเอนทิตีหลายรายการ",
|
||||
"entity-reference-types": "ประเภทการอ้างอิงเอนทิตี",
|
||||
"entity-report-data": "ข้อมูลรายงานเอนทิตี้",
|
||||
"entity-service": "บริการ {{entity}}",
|
||||
"entity-type": "ประเภทเอนทิตี",
|
||||
"entity-type-plural": "ประเภทของ {{entity}}",
|
||||
@ -526,6 +532,7 @@
|
||||
"event-plural": "Events",
|
||||
"event-publisher-plural": "ผู้เผยแพร่เหตุการณ์",
|
||||
"event-statistics": "สถิติเหตุการณ์",
|
||||
"event-subscription": "การสมัครรับเหตุการณ์",
|
||||
"event-type": "ประเภทเหตุการณ์",
|
||||
"event-type-lowercase": "ประเภทเหตุการณ์",
|
||||
"every": "ทุก",
|
||||
@ -737,6 +744,9 @@
|
||||
"key": "คีย์",
|
||||
"keyword-lowercase-plural": "คำสำคัญ",
|
||||
"kill": "ฆ่า",
|
||||
"knowledge-page": "หน้าความรู้",
|
||||
"knowledge-panels": "แผงความรู้",
|
||||
"kpi": "KPI",
|
||||
"kpi-display-name": "ชื่อแสดง KPI",
|
||||
"kpi-list": "รายการ KPI",
|
||||
"kpi-name": "ชื่อ KPI",
|
||||
@ -772,6 +782,7 @@
|
||||
"lineage": "ลำดับชั้น",
|
||||
"lineage-config": "การกำหนดค่าลำดับชั้น",
|
||||
"lineage-data-lowercase": "ข้อมูลลำดับชั้น",
|
||||
"lineage-edge": "ขอบเชื้อสาย",
|
||||
"lineage-ingestion": "การนำเข้าลำดับชั้น",
|
||||
"lineage-layer": "ชั้นลำดับชั้น",
|
||||
"lineage-lowercase": "ลำดับชั้น",
|
||||
@ -829,11 +840,13 @@
|
||||
"messaging": "การส่งข้อความ",
|
||||
"messaging-lowercase": "การส่งข้อความ",
|
||||
"messaging-plural": "การส่งข้อความหลายรายการ",
|
||||
"messaging-service": "บริการส่งข้อความ",
|
||||
"metadata": "ข้อมูลเมตา",
|
||||
"metadata-agent-plural": "เอเจนต์เมตาดาตา",
|
||||
"metadata-ingestion": "การนำเข้าข้อมูลเมตา",
|
||||
"metadata-lowercase": "ข้อมูลเมตา",
|
||||
"metadata-plural": "ข้อมูลเมตาหลายรายการ",
|
||||
"metadata-service": "บริการข้อมูลเมตา",
|
||||
"metadata-to-es-config-optional": "ข้อมูลเมตาไปยังการกำหนดค่าของ ES (เลือกได้)",
|
||||
"metapilot": "MetaPilot",
|
||||
"metapilot-suggested-description": "คำอธิบายที่แนะนำโดย Metapilot",
|
||||
@ -855,6 +868,7 @@
|
||||
"ml-model-lowercase": "โมเดล ML",
|
||||
"ml-model-lowercase-plural": "โมเดล ML หลายรายการ",
|
||||
"ml-model-plural": "โมเดล ML หลายรายการ",
|
||||
"mlmodel-service": "บริการโมเดล ML",
|
||||
"mode": "โหมด",
|
||||
"model": "โมเดล",
|
||||
"model-name": "ชื่อโมเดล",
|
||||
@ -1007,6 +1021,7 @@
|
||||
"pipeline-lowercase-plural": "ท่อหลายรายการ",
|
||||
"pipeline-name": "ชื่อท่อ",
|
||||
"pipeline-plural": "ท่อหลายรายการ",
|
||||
"pipeline-service": "บริการสายงาน",
|
||||
"pipeline-state": "สถานะท่อ",
|
||||
"platform": "แพลตฟอร์ม",
|
||||
"platform-type-lineage": "{{platformType}} ลำดับชั้น",
|
||||
@ -1210,6 +1225,7 @@
|
||||
"search-index-plural": "ดัชนีการค้นหาหลายรายการ",
|
||||
"search-index-setting-plural": "การตั้งค่าดัชนีการค้นหา",
|
||||
"search-rbac": "ค้นหา RBAC",
|
||||
"search-service": "บริการค้นหา",
|
||||
"search-setting-plural": "การตั้งค่าการค้นหา",
|
||||
"second-plural": "วินาที",
|
||||
"secret-key": "คีย์ลับ",
|
||||
@ -1312,6 +1328,7 @@
|
||||
"stopped": "หยุดแล้ว",
|
||||
"storage": "ที่จัดเก็บ",
|
||||
"storage-plural": "ที่จัดเก็บหลายรายการ",
|
||||
"storage-service": "บริการเก็บข้อมูล",
|
||||
"stored-procedure": "กระบวนการที่เก็บไว้",
|
||||
"stored-procedure-plural": "กระบวนการที่เก็บไว้หลายรายการ",
|
||||
"style": "สไตล์",
|
||||
@ -1391,6 +1408,7 @@
|
||||
"test-case-lowercase-plural": "กรณีทดสอบหลายรายการ",
|
||||
"test-case-name": "ชื่อกรณีทดสอบ",
|
||||
"test-case-plural": "กรณีทดสอบหลายรายการ",
|
||||
"test-case-resolution-status": "สถานะการแก้ไขกรณีทดสอบ",
|
||||
"test-case-result": "ผลกรณีทดสอบ",
|
||||
"test-email": "อีเมลทดสอบ",
|
||||
"test-email-connection": "ทดสอบการเชื่อมต่ออีเมล",
|
||||
@ -1526,6 +1544,8 @@
|
||||
"wants-to-access-your-account": "ต้องการเข้าถึงบัญชี {{username}} ของคุณ",
|
||||
"warning": "คำเตือน",
|
||||
"warning-plural": "คำเตือนหลายรายการ",
|
||||
"web-analytic-entity-view-report-data": "ข้อมูลรายงานการดูเอนทิตี้วิเคราะห์เว็บ",
|
||||
"web-analytic-user-activity-report-data": "ข้อมูลรายงานกิจกรรมผู้ใช้วิเคราะห์เว็บ",
|
||||
"web-analytics-report": "รายงานการวิเคราะห์เว็บ",
|
||||
"webhook": "Webhook",
|
||||
"webhook-display-text": "Webhook {{displayText}}",
|
||||
@ -1538,6 +1558,7 @@
|
||||
"whats-new-version": "สิ่งที่ใหม่ ({{version}})",
|
||||
"widget": "วิดเจ็ต",
|
||||
"widget-lowercase": "วิดเจ็ต",
|
||||
"workflow-definition": "คำจำกัดความเวิร์กโฟลว์",
|
||||
"workflow-plural": "กระบวนการทำงาน",
|
||||
"yes": "ใช่",
|
||||
"yes-comma-confirm": "ใช่, ยืนยัน",
|
||||
|
||||
@ -89,10 +89,12 @@
|
||||
"api-collection-plural": "API Koleksiyonları",
|
||||
"api-endpoint": "API Uç Noktası",
|
||||
"api-endpoint-plural": "API Uç Noktaları",
|
||||
"api-service": "API Servisi",
|
||||
"api-uppercase": "API",
|
||||
"api-uppercase-plural": "API'ler",
|
||||
"app-analytic-plural": "Uygulama Analitikleri",
|
||||
"app-lowercase": "uygulama",
|
||||
"app-market-place-definition": "Uygulama Pazarı Tanımı",
|
||||
"app-plural": "Uygulamalar",
|
||||
"application": "Uygulama",
|
||||
"application-by-developer": "<0>{{dev}}</0> tarafından {{app}}",
|
||||
@ -305,6 +307,7 @@
|
||||
"dashboard-lowercase-plural": "kontrol panelleri",
|
||||
"dashboard-name": "Kontrol Paneli Adı",
|
||||
"dashboard-plural": "Kontrol Panelleri",
|
||||
"dashboard-service": "Kontrol Paneli Servisi",
|
||||
"data-aggregate": "Veri Toplamı",
|
||||
"data-aggregation": "Veri Toplama",
|
||||
"data-asset": "Veri Varlığı",
|
||||
@ -360,6 +363,7 @@
|
||||
"database-schema": "Veritabanı Şeması",
|
||||
"database-schema-plural": "Veritabanı Şemaları",
|
||||
"database-schema-version": "Veritabanı şeması sürümü",
|
||||
"database-service": "Veritabanı Servisi",
|
||||
"database-service-name": "Veritabanı Servis Adı",
|
||||
"database-version": "Veritabanı sürümü",
|
||||
"date": "Tarih",
|
||||
@ -427,6 +431,7 @@
|
||||
"distinct": "Farklı",
|
||||
"doc-plural": "Belgeler",
|
||||
"doc-plural-lowercase": "belgeler",
|
||||
"doc-store": "Doküman Deposu",
|
||||
"document": "Belge",
|
||||
"documentation": "Belgelendirme",
|
||||
"documentation-lowercase": "belgelendirme",
|
||||
@ -514,6 +519,7 @@
|
||||
"entity-reference": "Varlık Referansı",
|
||||
"entity-reference-plural": "Varlık Referansları",
|
||||
"entity-reference-types": "Varlık Referans Türleri",
|
||||
"entity-report-data": "Varlık Rapor Verileri",
|
||||
"entity-service": "{{entity}} Servisi",
|
||||
"entity-type": "Varlık Türü",
|
||||
"entity-type-plural": "{{entity}} Türü",
|
||||
@ -526,6 +532,7 @@
|
||||
"event-plural": "Olaylar",
|
||||
"event-publisher-plural": "Olay Yayıncıları",
|
||||
"event-statistics": "Olay İstatistikleri",
|
||||
"event-subscription": "Olay Aboneliği",
|
||||
"event-type": "Olay Türü",
|
||||
"event-type-lowercase": "olay türü",
|
||||
"every": "Her",
|
||||
@ -737,6 +744,9 @@
|
||||
"key": "Anahtar",
|
||||
"keyword-lowercase-plural": "anahtar kelimeler",
|
||||
"kill": "Durdur",
|
||||
"knowledge-page": "Bilgi Sayfası",
|
||||
"knowledge-panels": "Bilgi Panelleri",
|
||||
"kpi": "KPI",
|
||||
"kpi-display-name": "KPI Görünen Adı",
|
||||
"kpi-list": "KPI Listesi",
|
||||
"kpi-name": "KPI Adı",
|
||||
@ -772,6 +782,7 @@
|
||||
"lineage": "Veri Soyu",
|
||||
"lineage-config": "Veri Soyu Yapılandırması",
|
||||
"lineage-data-lowercase": "veri soyu verisi",
|
||||
"lineage-edge": "Köken Kenarı",
|
||||
"lineage-ingestion": "Veri Soyu Alımı",
|
||||
"lineage-layer": "Veri Soyu Katmanı",
|
||||
"lineage-lowercase": "veri soyu",
|
||||
@ -829,11 +840,13 @@
|
||||
"messaging": "Mesajlaşma",
|
||||
"messaging-lowercase": "mesajlaşma",
|
||||
"messaging-plural": "Mesajlaşmalar",
|
||||
"messaging-service": "Mesajlaşma Servisi",
|
||||
"metadata": "Metadata",
|
||||
"metadata-agent-plural": "Metadata Agent'ları",
|
||||
"metadata-ingestion": "Metadata Alımı",
|
||||
"metadata-lowercase": "metadata",
|
||||
"metadata-plural": "Metadatalar",
|
||||
"metadata-service": "Meta Veri Servisi",
|
||||
"metadata-to-es-config-optional": "Metadata'dan ES'ye Yapılandırma (İsteğe Bağlı)",
|
||||
"metapilot": "MetaPilot",
|
||||
"metapilot-suggested-description": "Metapilot Tarafından Önerilen Açıklama",
|
||||
@ -855,6 +868,7 @@
|
||||
"ml-model-lowercase": "ML modeli",
|
||||
"ml-model-lowercase-plural": "ML modelleri",
|
||||
"ml-model-plural": "ML Modelleri",
|
||||
"mlmodel-service": "ML Model Servisi",
|
||||
"mode": "Mod",
|
||||
"model": "Model",
|
||||
"model-name": "Model Adı",
|
||||
@ -1007,6 +1021,7 @@
|
||||
"pipeline-lowercase-plural": "iş akışları",
|
||||
"pipeline-name": "İş Akışı Adı",
|
||||
"pipeline-plural": "İş Akışları",
|
||||
"pipeline-service": "Boru Hattı Servisi",
|
||||
"pipeline-state": "İş Akışı Durumu",
|
||||
"platform": "Platform",
|
||||
"platform-type-lineage": "{{platformType}} Veri Soyu",
|
||||
@ -1210,6 +1225,7 @@
|
||||
"search-index-plural": "Arama Dizinleri",
|
||||
"search-index-setting-plural": "Arama Dizini Ayarları",
|
||||
"search-rbac": "RBAC Ara",
|
||||
"search-service": "Arama Servisi",
|
||||
"search-setting-plural": "Arama Ayarları",
|
||||
"second-plural": "Saniye",
|
||||
"secret-key": "Gizli Anahtar",
|
||||
@ -1312,6 +1328,7 @@
|
||||
"stopped": "Durduruldu",
|
||||
"storage": "Depolama",
|
||||
"storage-plural": "Depolamalar",
|
||||
"storage-service": "Depolama Servisi",
|
||||
"stored-procedure": "Saklı Yordam",
|
||||
"stored-procedure-plural": "Saklı Yordamlar",
|
||||
"style": "Stil",
|
||||
@ -1391,6 +1408,7 @@
|
||||
"test-case-lowercase-plural": "test senaryoları",
|
||||
"test-case-name": "Test Senaryosu Adı",
|
||||
"test-case-plural": "Test Senaryoları",
|
||||
"test-case-resolution-status": "Test Durumu Çözüm Durumu",
|
||||
"test-case-result": "Test Senaryosu Sonuçları",
|
||||
"test-email": "Test E-postası",
|
||||
"test-email-connection": "Test E-posta Bağlantısı",
|
||||
@ -1526,6 +1544,8 @@
|
||||
"wants-to-access-your-account": "{{username}} hesabınıza erişmek istiyor",
|
||||
"warning": "Uyarı",
|
||||
"warning-plural": "Uyarılar",
|
||||
"web-analytic-entity-view-report-data": "Web Analitik Varlık Görüntüleme Rapor Verileri",
|
||||
"web-analytic-user-activity-report-data": "Web Analitik Kullanıcı Aktivite Rapor Verileri",
|
||||
"web-analytics-report": "Web Analitik Raporu",
|
||||
"webhook": "Webhook",
|
||||
"webhook-display-text": "Webhook {{displayText}}",
|
||||
@ -1538,6 +1558,7 @@
|
||||
"whats-new-version": "Yenilikler ({{version}})",
|
||||
"widget": "Widget",
|
||||
"widget-lowercase": "widget",
|
||||
"workflow-definition": "İş Akışı Tanımı",
|
||||
"workflow-plural": "İş Akışları",
|
||||
"yes": "Evet",
|
||||
"yes-comma-confirm": "Evet, onayla",
|
||||
|
||||
@ -89,10 +89,12 @@
|
||||
"api-collection-plural": "API Collections",
|
||||
"api-endpoint": "API Endpoint",
|
||||
"api-endpoint-plural": "API Endpoints",
|
||||
"api-service": "API 服务",
|
||||
"api-uppercase": "API",
|
||||
"api-uppercase-plural": "APIs",
|
||||
"app-analytic-plural": "应用分析",
|
||||
"app-lowercase": "应用",
|
||||
"app-market-place-definition": "应用市场定义",
|
||||
"app-plural": "应用",
|
||||
"application": "应用",
|
||||
"application-by-developer": "{{app}} by <0>{{dev}}</0>",
|
||||
@ -305,6 +307,7 @@
|
||||
"dashboard-lowercase-plural": "仪表板",
|
||||
"dashboard-name": "仪表板名称",
|
||||
"dashboard-plural": "仪表板",
|
||||
"dashboard-service": "仪表盘服务",
|
||||
"data-aggregate": "数据聚合",
|
||||
"data-aggregation": "数据聚合",
|
||||
"data-asset": "数据资产",
|
||||
@ -360,6 +363,7 @@
|
||||
"database-schema": "数据库结构",
|
||||
"database-schema-plural": "数据库模式",
|
||||
"database-schema-version": "数据库架构版本",
|
||||
"database-service": "数据库服务",
|
||||
"database-service-name": "数据库服务名称",
|
||||
"database-version": "数据库版本",
|
||||
"date": "日期",
|
||||
@ -427,6 +431,7 @@
|
||||
"distinct": "去重",
|
||||
"doc-plural": "文档",
|
||||
"doc-plural-lowercase": "文档",
|
||||
"doc-store": "文档存储",
|
||||
"document": "文档",
|
||||
"documentation": "文档",
|
||||
"documentation-lowercase": "文档",
|
||||
@ -514,6 +519,7 @@
|
||||
"entity-reference": "实体参考",
|
||||
"entity-reference-plural": "实体参考",
|
||||
"entity-reference-types": "实体参考类型",
|
||||
"entity-report-data": "实体报告数据",
|
||||
"entity-service": "{{entity}}服务",
|
||||
"entity-type": "实体类型",
|
||||
"entity-type-plural": "{{entity}}类型",
|
||||
@ -526,6 +532,7 @@
|
||||
"event-plural": "Events",
|
||||
"event-publisher-plural": "事件发布者",
|
||||
"event-statistics": "事件统计",
|
||||
"event-subscription": "事件订阅",
|
||||
"event-type": "事件类型",
|
||||
"event-type-lowercase": "事件类型",
|
||||
"every": "每个",
|
||||
@ -737,6 +744,9 @@
|
||||
"key": "Key",
|
||||
"keyword-lowercase-plural": "关键词",
|
||||
"kill": "终止",
|
||||
"knowledge-page": "知识页面",
|
||||
"knowledge-panels": "知识面板",
|
||||
"kpi": "关键绩效指标 (KPI)",
|
||||
"kpi-display-name": "KPI 显示名称",
|
||||
"kpi-list": "KPI 列表",
|
||||
"kpi-name": "KPI 名称",
|
||||
@ -772,6 +782,7 @@
|
||||
"lineage": "血缘关系",
|
||||
"lineage-config": "血缘关系配置",
|
||||
"lineage-data-lowercase": "血缘关系数据",
|
||||
"lineage-edge": "血统边缘",
|
||||
"lineage-ingestion": "血缘关系提取",
|
||||
"lineage-layer": "Lineage Layer",
|
||||
"lineage-lowercase": "血缘",
|
||||
@ -829,11 +840,13 @@
|
||||
"messaging": "消息队列",
|
||||
"messaging-lowercase": "消息队列",
|
||||
"messaging-plural": "消息队列",
|
||||
"messaging-service": "消息服务",
|
||||
"metadata": "元数据",
|
||||
"metadata-agent-plural": "元数据代理",
|
||||
"metadata-ingestion": "元数据提取",
|
||||
"metadata-lowercase": "元数据",
|
||||
"metadata-plural": "元数据",
|
||||
"metadata-service": "元数据服务",
|
||||
"metadata-to-es-config-optional": "元数据到 ES 配置(可选)",
|
||||
"metapilot": "MetaPilot",
|
||||
"metapilot-suggested-description": "Metapilot 建议说明",
|
||||
@ -855,6 +868,7 @@
|
||||
"ml-model-lowercase": "机器学习模型",
|
||||
"ml-model-lowercase-plural": "机器学习模型",
|
||||
"ml-model-plural": "机器学习模型",
|
||||
"mlmodel-service": "机器学习模型服务",
|
||||
"mode": "模式",
|
||||
"model": "模型",
|
||||
"model-name": "模型名称",
|
||||
@ -1007,6 +1021,7 @@
|
||||
"pipeline-lowercase-plural": "工作流",
|
||||
"pipeline-name": "工作流名称",
|
||||
"pipeline-plural": "工作流",
|
||||
"pipeline-service": "流水线服务",
|
||||
"pipeline-state": "工作流状态",
|
||||
"platform": "平台",
|
||||
"platform-type-lineage": "{{platformType}} 血缘关系",
|
||||
@ -1210,6 +1225,7 @@
|
||||
"search-index-plural": "搜索索引",
|
||||
"search-index-setting-plural": "搜索索引设置",
|
||||
"search-rbac": "Search RBAC",
|
||||
"search-service": "搜索服务",
|
||||
"search-setting-plural": "搜索设置",
|
||||
"second-plural": "秒",
|
||||
"secret-key": "秘钥",
|
||||
@ -1312,6 +1328,7 @@
|
||||
"stopped": "已停止",
|
||||
"storage": "存储",
|
||||
"storage-plural": "存储",
|
||||
"storage-service": "存储服务",
|
||||
"stored-procedure": "存储过程",
|
||||
"stored-procedure-plural": "存储过程",
|
||||
"style": "Style",
|
||||
@ -1391,6 +1408,7 @@
|
||||
"test-case-lowercase-plural": "测试用例",
|
||||
"test-case-name": "测试用例名称",
|
||||
"test-case-plural": "测试用例",
|
||||
"test-case-resolution-status": "测试用例解决状态",
|
||||
"test-case-result": "测试用例结果",
|
||||
"test-email": "测试邮箱",
|
||||
"test-email-connection": "测试邮箱连接",
|
||||
@ -1526,6 +1544,8 @@
|
||||
"wants-to-access-your-account": "希望访问您的 {{username}} 账号",
|
||||
"warning": "警告",
|
||||
"warning-plural": "警告",
|
||||
"web-analytic-entity-view-report-data": "网页分析实体查看报告数据",
|
||||
"web-analytic-user-activity-report-data": "网页分析用户活动报告数据",
|
||||
"web-analytics-report": "网络分析报告",
|
||||
"webhook": "Webhook",
|
||||
"webhook-display-text": "Webhook {{displayText}}",
|
||||
@ -1538,6 +1558,7 @@
|
||||
"whats-new-version": "最新消息 ({{version}})",
|
||||
"widget": "Widget",
|
||||
"widget-lowercase": "widget",
|
||||
"workflow-definition": "工作流定义",
|
||||
"workflow-plural": "工作流",
|
||||
"yes": "是",
|
||||
"yes-comma-confirm": "是, 确认",
|
||||
|
||||
@ -13,6 +13,7 @@
|
||||
|
||||
/* eslint-disable @typescript-eslint/no-unused-vars */
|
||||
import { ItemType } from 'antd/lib/menu/hooks/useItems';
|
||||
import { capitalize } from 'lodash';
|
||||
import { FC } from 'react';
|
||||
import DataProductsPage from '../components/DataProducts/DataProductsPage/DataProductsPage.component';
|
||||
import { GlobalSettingsMenuCategory } from '../constants/GlobalSettings.constants';
|
||||
@ -51,6 +52,18 @@ import { getTableDetailsByFQN } from '../rest/tableAPI';
|
||||
import { ExtraDatabaseDropdownOptions } from './Database/Database.util';
|
||||
import { ExtraDatabaseSchemaDropdownOptions } from './DatabaseSchemaDetailsUtils';
|
||||
import { ExtraDatabaseServiceDropdownOptions } from './DatabaseServiceUtils';
|
||||
import { EntityTypeName } from './EntityUtils';
|
||||
import {
|
||||
FormattedAPIServiceType,
|
||||
FormattedDashboardServiceType,
|
||||
FormattedDatabaseServiceType,
|
||||
FormattedMessagingServiceType,
|
||||
FormattedMetadataServiceType,
|
||||
FormattedMlModelServiceType,
|
||||
FormattedPipelineServiceType,
|
||||
FormattedSearchServiceType,
|
||||
FormattedStorageServiceType,
|
||||
} from './EntityUtils.interface';
|
||||
import {
|
||||
getApplicationDetailsPath,
|
||||
getDomainDetailsPath,
|
||||
@ -73,6 +86,30 @@ import { ExtraTableDropdownOptions } from './TableUtils';
|
||||
import { getTestSuiteDetailsPath } from './TestSuiteUtils';
|
||||
|
||||
class EntityUtilClassBase {
|
||||
serviceTypeLookupMap: Map<string, string>;
|
||||
|
||||
constructor() {
|
||||
this.serviceTypeLookupMap = this.createNormalizedLookupMap({
|
||||
...FormattedMlModelServiceType,
|
||||
...FormattedMetadataServiceType,
|
||||
...FormattedPipelineServiceType,
|
||||
...FormattedSearchServiceType,
|
||||
...FormattedDatabaseServiceType,
|
||||
...FormattedDashboardServiceType,
|
||||
...FormattedMessagingServiceType,
|
||||
...FormattedAPIServiceType,
|
||||
...FormattedStorageServiceType,
|
||||
});
|
||||
}
|
||||
|
||||
private createNormalizedLookupMap<T extends Record<string, string>>(
|
||||
obj: T
|
||||
): Map<string, string> {
|
||||
return new Map(
|
||||
Object.entries(obj).map(([key, value]) => [key.toLowerCase(), value])
|
||||
);
|
||||
}
|
||||
|
||||
public getEntityLink(
|
||||
indexType: string,
|
||||
fullyQualifiedName: string,
|
||||
@ -440,6 +477,32 @@ class EntityUtilClassBase {
|
||||
return [];
|
||||
}
|
||||
}
|
||||
|
||||
public getServiceTypeLookupMap(): Map<string, string> {
|
||||
return this.serviceTypeLookupMap;
|
||||
}
|
||||
|
||||
public getEntityTypeLookupMap(): Map<string, string> {
|
||||
return this.createNormalizedLookupMap(EntityTypeName);
|
||||
}
|
||||
|
||||
public getFormattedEntityType(entityType: string): string {
|
||||
const normalizedKey = entityType?.toLowerCase();
|
||||
|
||||
return (
|
||||
this.getEntityTypeLookupMap().get(normalizedKey) || capitalize(entityType)
|
||||
);
|
||||
}
|
||||
|
||||
public getFormattedServiceType(serviceType: string): string {
|
||||
const normalizedKey = serviceType.toLowerCase();
|
||||
|
||||
return (
|
||||
this.getServiceTypeLookupMap().get(normalizedKey) ??
|
||||
this.getEntityTypeLookupMap().get(normalizedKey) ??
|
||||
serviceType
|
||||
);
|
||||
}
|
||||
}
|
||||
|
||||
const entityUtilClassBase = new EntityUtilClassBase();
|
||||
|
||||
@ -24,3 +24,129 @@ export interface BasicEntityOverviewInfo {
|
||||
visible?: Array<string>;
|
||||
dataTestId?: string;
|
||||
}
|
||||
// below enums are formatted for tooltips
|
||||
export enum FormattedMlModelServiceType {
|
||||
CustomMlModel = 'Custom ML Model',
|
||||
Mlflow = 'ML Flow',
|
||||
SageMaker = 'SageMaker',
|
||||
Sklearn = 'Sklearn',
|
||||
VertexAI = 'Vertex AI',
|
||||
}
|
||||
export enum FormattedMetadataServiceType {
|
||||
Alation = 'Alation',
|
||||
AlationSink = 'AlationSink',
|
||||
Amundsen = 'Amundsen',
|
||||
Atlas = 'Atlas',
|
||||
MetadataES = 'MetadataES',
|
||||
OpenMetadata = 'OpenMetadata',
|
||||
}
|
||||
|
||||
export enum FormattedPipelineServiceType {
|
||||
Airbyte = 'Airbyte',
|
||||
Airflow = 'Airflow',
|
||||
CustomPipeline = 'Custom Pipeline',
|
||||
DBTCloud = 'dbt Cloud',
|
||||
Dagster = 'Dagster',
|
||||
DataFactory = 'DataFactory',
|
||||
DatabricksPipeline = 'DataBricks Pipeline',
|
||||
DomoPipeline = 'Domo Pipeline',
|
||||
Fivetran = 'Fivetran',
|
||||
Flink = 'Flink',
|
||||
GluePipeline = 'Glue Pipeline',
|
||||
KafkaConnect = 'Kafka Connect',
|
||||
Matillion = 'Matillion',
|
||||
Nifi = 'Nifi',
|
||||
OpenLineage = 'Open Lineage',
|
||||
Spark = 'Spark',
|
||||
Spline = 'Spline',
|
||||
Stitch = 'Stitch',
|
||||
Wherescape = 'Wherescape',
|
||||
}
|
||||
export enum FormattedSearchServiceType {
|
||||
CustomSearch = 'Custom Search',
|
||||
ElasticSearch = 'Elastic Search',
|
||||
OpenSearch = 'Open Search',
|
||||
}
|
||||
export enum FormattedDatabaseServiceType {
|
||||
Athena = 'Athena',
|
||||
AzureSQL = 'Azure SQL',
|
||||
BigQuery = 'Big Query',
|
||||
BigTable = 'Big Table',
|
||||
Cassandra = 'Cassandra',
|
||||
Clickhouse = 'Clickhouse',
|
||||
Cockroach = 'Cockroach',
|
||||
Couchbase = 'Couchbase',
|
||||
CustomDatabase = 'Custom Database',
|
||||
Databricks = 'Databricks',
|
||||
Datalake = 'Datalake',
|
||||
Db2 = 'Db2',
|
||||
Dbt = 'dbt',
|
||||
DeltaLake = 'DeltaLake',
|
||||
DomoDatabase = 'Domo Database',
|
||||
Doris = 'Doris',
|
||||
Druid = 'Druid',
|
||||
DynamoDB = 'Dynamo DB',
|
||||
Exasol = 'Exasol',
|
||||
Glue = 'Glue',
|
||||
Greenplum = 'Greenplum',
|
||||
Hive = 'Hive',
|
||||
Iceberg = 'Iceberg',
|
||||
Impala = 'Impala',
|
||||
MariaDB = 'Maria DB',
|
||||
MongoDB = 'Mongo DB',
|
||||
Mssql = 'MS SQL',
|
||||
Mysql = 'MySQL',
|
||||
Oracle = 'Oracle',
|
||||
PinotDB = 'PinotDB',
|
||||
Postgres = 'Postgres',
|
||||
Presto = 'Presto',
|
||||
QueryLog = 'QueryLog',
|
||||
Redshift = 'Redshift',
|
||||
SAS = 'SAS',
|
||||
SQLite = 'SQLite',
|
||||
Salesforce = 'Salesforce',
|
||||
SapERP = 'SAP ERP',
|
||||
SapHana = 'SAP Hana',
|
||||
SingleStore = 'SingleStore',
|
||||
Snowflake = 'Snowflake',
|
||||
Synapse = 'Synapse',
|
||||
Teradata = 'Teradata',
|
||||
Trino = 'Trino',
|
||||
UnityCatalog = 'UnityCatalog',
|
||||
Vertica = 'Vertica',
|
||||
}
|
||||
export enum FormattedDashboardServiceType {
|
||||
CustomDashboard = 'Custom Dashboard',
|
||||
DomoDashboard = 'Domo Dashboard',
|
||||
Lightdash = 'Lightdash',
|
||||
Looker = 'Looker',
|
||||
Metabase = 'Metabase',
|
||||
MicroStrategy = 'Micro Strategy',
|
||||
Mode = 'Mode',
|
||||
PowerBI = 'PowerBI',
|
||||
PowerBIReportServer = 'PowerBI Report Server',
|
||||
QlikCloud = 'Qlik Cloud',
|
||||
QlikSense = 'Qlik Sense',
|
||||
QuickSight = 'Quick Sight',
|
||||
Redash = 'Redash',
|
||||
Sigma = 'Sigma',
|
||||
Superset = 'Superset',
|
||||
Tableau = 'Tableau',
|
||||
}
|
||||
export enum FormattedMessagingServiceType {
|
||||
CustomMessaging = 'Custom Messaging',
|
||||
Kafka = 'Kafka',
|
||||
Kinesis = 'Kinesis',
|
||||
Redpanda = 'Redpanda',
|
||||
}
|
||||
|
||||
export enum FormattedAPIServiceType {
|
||||
REST = 'Rest',
|
||||
Webhook = 'Webhook',
|
||||
}
|
||||
export enum FormattedStorageServiceType {
|
||||
Adls = 'ADLS',
|
||||
CustomStorage = 'CustomStorage',
|
||||
Gcs = 'GCS',
|
||||
S3 = 'S3',
|
||||
}
|
||||
|
||||
@ -2541,3 +2541,79 @@ export const updateNodeType = (
|
||||
|
||||
return node;
|
||||
};
|
||||
|
||||
export const EntityTypeName: Record<EntityType, string> = {
|
||||
[EntityType.API_SERVICE]: t('label.api-service'),
|
||||
[EntityType.DATABASE_SERVICE]: t('label.database-service'),
|
||||
[EntityType.MESSAGING_SERVICE]: t('label.messaging-service'),
|
||||
[EntityType.PIPELINE_SERVICE]: t('label.pipeline-service'),
|
||||
[EntityType.MLMODEL_SERVICE]: t('label.mlmodel-service'),
|
||||
[EntityType.DASHBOARD_SERVICE]: t('label.dashboard-service'),
|
||||
[EntityType.STORAGE_SERVICE]: t('label.storage-service'),
|
||||
[EntityType.SEARCH_SERVICE]: t('label.search-service'),
|
||||
[EntityType.METRIC]: t('label.metric'),
|
||||
[EntityType.CONTAINER]: t('label.container'),
|
||||
[EntityType.DASHBOARD_DATA_MODEL]: t('label.dashboard-data-model'),
|
||||
[EntityType.TABLE]: t('label.table'),
|
||||
[EntityType.GLOSSARY_TERM]: t('label.glossary-term'),
|
||||
[EntityType.PAGE]: t('label.page'),
|
||||
[EntityType.DATABASE_SCHEMA]: t('label.database-schema'),
|
||||
[EntityType.CHART]: t('label.chart'),
|
||||
[EntityType.STORED_PROCEDURE]: t('label.stored-procedure'),
|
||||
[EntityType.DATABASE]: t('label.database'),
|
||||
[EntityType.PIPELINE]: t('label.pipeline'),
|
||||
[EntityType.TAG]: t('label.tag'),
|
||||
[EntityType.DASHBOARD]: t('label.dashboard'),
|
||||
[EntityType.API_ENDPOINT]: t('label.api-endpoint'),
|
||||
[EntityType.TOPIC]: t('label.topic'),
|
||||
[EntityType.DATA_PRODUCT]: t('label.data-product'),
|
||||
[EntityType.MLMODEL]: t('label.ml-model'),
|
||||
[EntityType.SEARCH_INDEX]: t('label.search-index'),
|
||||
[EntityType.API_COLLECTION]: t('label.api-collection'),
|
||||
[EntityType.TEST_SUITE]: t('label.test-suite'),
|
||||
[EntityType.TEAM]: t('label.team'),
|
||||
[EntityType.TEST_CASE]: t('label.test-case'),
|
||||
[EntityType.DOMAIN]: t('label.domain'),
|
||||
[EntityType.PERSONA]: t('label.persona'),
|
||||
[EntityType.POLICY]: t('label.policy'),
|
||||
[EntityType.ROLE]: t('label.role'),
|
||||
[EntityType.APPLICATION]: t('label.application'),
|
||||
[EntityType.CLASSIFICATION]: t('label.classification'),
|
||||
[EntityType.GLOSSARY]: t('label.glossary'),
|
||||
[EntityType.METADATA_SERVICE]: t('label.metadata-service'),
|
||||
[EntityType.WEBHOOK]: t('label.webhook'),
|
||||
[EntityType.TYPE]: t('label.type'),
|
||||
[EntityType.USER]: t('label.user'),
|
||||
[EntityType.BOT]: t('label.bot'),
|
||||
[EntityType.DATA_INSIGHT_CHART]: t('label.data-insight-chart'),
|
||||
[EntityType.KPI]: t('label.kpi'),
|
||||
[EntityType.ALERT]: t('label.alert'),
|
||||
[EntityType.SUBSCRIPTION]: t('label.subscription'),
|
||||
[EntityType.SAMPLE_DATA]: t('label.sample-data'),
|
||||
[EntityType.APP_MARKET_PLACE_DEFINITION]: t(
|
||||
'label.app-market-place-definition'
|
||||
),
|
||||
[EntityType.DOC_STORE]: t('label.doc-store'),
|
||||
[EntityType.KNOWLEDGE_PAGE]: t('label.knowledge-page'),
|
||||
[EntityType.knowledgePanels]: t('label.knowledge-panels'),
|
||||
[EntityType.GOVERN]: t('label.govern'),
|
||||
[EntityType.ALL]: t('label.all'),
|
||||
[EntityType.CUSTOM_METRIC]: t('label.custom-metric'),
|
||||
[EntityType.INGESTION_PIPELINE]: t('label.ingestion-pipeline'),
|
||||
[EntityType.QUERY]: t('label.query'),
|
||||
[EntityType.ENTITY_REPORT_DATA]: t('label.entity-report-data'),
|
||||
[EntityType.WEB_ANALYTIC_ENTITY_VIEW_REPORT_DATA]: t(
|
||||
'label.web-analytic-entity-view-report-data'
|
||||
),
|
||||
[EntityType.WEB_ANALYTIC_USER_ACTIVITY_REPORT_DATA]: t(
|
||||
'label.web-analytic-user-activity-report-data'
|
||||
),
|
||||
[EntityType.TEST_CASE_RESOLUTION_STATUS]: t(
|
||||
'label.test-case-resolution-status'
|
||||
),
|
||||
[EntityType.TEST_CASE_RESULT]: t('label.test-case-result'),
|
||||
[EntityType.EVENT_SUBSCRIPTION]: t('label.event-subscription'),
|
||||
[EntityType.LINEAGE_EDGE]: t('label.lineage-edge'),
|
||||
[EntityType.WORKFLOW_DEFINITION]: t('label.workflow-definition'),
|
||||
[EntityType.SERVICE]: t('label.service'),
|
||||
};
|
||||
|
||||
@ -12,7 +12,7 @@
|
||||
*/
|
||||
|
||||
import { ObjectFieldTemplatePropertyType } from '@rjsf/utils';
|
||||
import { capitalize, get, toLower } from 'lodash';
|
||||
import { get, toLower } from 'lodash';
|
||||
import { ServiceTypes } from 'Models';
|
||||
import MetricIcon from '../assets/svg/metric.svg';
|
||||
import PlatformInsightsWidget from '../components/ServiceInsights/PlatformInsightsWidget/PlatformInsightsWidget';
|
||||
@ -673,94 +673,6 @@ class ServiceUtilClassBase {
|
||||
}
|
||||
}
|
||||
|
||||
public getServiceName = (serviceType: string) => {
|
||||
switch (serviceType) {
|
||||
case this.DatabaseServiceTypeSmallCase.CustomDatabase:
|
||||
return 'Custom Database';
|
||||
case this.DatabaseServiceTypeSmallCase.AzureSQL:
|
||||
return 'AzureSQL';
|
||||
case this.DatabaseServiceTypeSmallCase.BigQuery:
|
||||
return 'BigQuery';
|
||||
case this.DatabaseServiceTypeSmallCase.BigTable:
|
||||
return 'BigTable';
|
||||
case this.DatabaseServiceTypeSmallCase.DeltaLake:
|
||||
return 'DeltaLake';
|
||||
case this.DatabaseServiceTypeSmallCase.DomoDatabase:
|
||||
return 'DomoDatabase';
|
||||
case this.DatabaseServiceTypeSmallCase.DynamoDB:
|
||||
return 'DynamoDB';
|
||||
case this.DatabaseServiceTypeSmallCase.MariaDB:
|
||||
return 'MariaDB';
|
||||
case this.DatabaseServiceTypeSmallCase.MongoDB:
|
||||
return 'MongoDB';
|
||||
case this.DatabaseServiceTypeSmallCase.Cassandra:
|
||||
return 'Cassandra';
|
||||
case this.DatabaseServiceTypeSmallCase.PinotDB:
|
||||
return 'pinotdb';
|
||||
case this.DatabaseServiceTypeSmallCase.SapHana:
|
||||
return 'SapHana';
|
||||
case this.DatabaseServiceTypeSmallCase.SAS:
|
||||
return 'SAS';
|
||||
case this.DatabaseServiceTypeSmallCase.SingleStore:
|
||||
return 'SingleStore';
|
||||
case this.DatabaseServiceTypeSmallCase.SQLite:
|
||||
return 'SQlite';
|
||||
case this.DatabaseServiceTypeSmallCase.UnityCatalog:
|
||||
return 'UnityCatalog';
|
||||
case this.MessagingServiceTypeSmallCase.CustomMessaging:
|
||||
return 'Custom Messaging';
|
||||
case this.DashboardServiceTypeSmallCase.DomoDashboard:
|
||||
return 'DomoDashboard';
|
||||
case this.DashboardServiceTypeSmallCase.PowerBI:
|
||||
return 'PowerBI';
|
||||
case this.DashboardServiceTypeSmallCase.QlikCloud:
|
||||
return 'QlikCloud';
|
||||
case this.DashboardServiceTypeSmallCase.QlikSense:
|
||||
return 'QlikSense';
|
||||
case this.DashboardServiceTypeSmallCase.QuickSight:
|
||||
return 'QuickSight';
|
||||
case this.DashboardServiceTypeSmallCase.CustomDashboard:
|
||||
return 'Custom Dashboard';
|
||||
case this.PipelineServiceTypeSmallCase.DatabricksPipeline:
|
||||
return 'DatabricksPipeline';
|
||||
case this.PipelineServiceTypeSmallCase.DBTCloud:
|
||||
return 'DBTCloud';
|
||||
case this.PipelineServiceTypeSmallCase.DomoPipeline:
|
||||
return 'DomoPipeline';
|
||||
case this.PipelineServiceTypeSmallCase.GluePipeline:
|
||||
return 'Glue Pipeline';
|
||||
case this.PipelineServiceTypeSmallCase.KafkaConnect:
|
||||
return 'KafkaConnect';
|
||||
case this.PipelineServiceTypeSmallCase.OpenLineage:
|
||||
return 'OpenLineage';
|
||||
case this.PipelineServiceTypeSmallCase.CustomPipeline:
|
||||
return 'Custom Pipeline';
|
||||
case this.MlModelServiceTypeSmallCase.SageMaker:
|
||||
return 'SageMaker';
|
||||
case this.MlModelServiceTypeSmallCase.CustomMlModel:
|
||||
return 'Custom Ml Model';
|
||||
case this.StorageServiceTypeSmallCase.CustomStorage:
|
||||
return 'Custom Storage';
|
||||
case this.SearchServiceTypeSmallCase.ElasticSearch:
|
||||
return 'ElasticSearch';
|
||||
case this.SearchServiceTypeSmallCase.CustomSearch:
|
||||
return 'Custom Search';
|
||||
case this.DatabaseServiceTypeSmallCase.Cockroach:
|
||||
return 'Cockroach';
|
||||
case this.DatabaseServiceTypeSmallCase.SapERP:
|
||||
return 'SAP ERP';
|
||||
case this.DatabaseServiceTypeSmallCase.Mssql:
|
||||
return 'MSSQL';
|
||||
case this.MlModelServiceTypeSmallCase.Mlflow:
|
||||
return 'MLflow';
|
||||
case this.StorageServiceTypeSmallCase.Adls:
|
||||
return 'ADLS';
|
||||
|
||||
default:
|
||||
return capitalize(serviceType);
|
||||
}
|
||||
};
|
||||
|
||||
public getPipelineServiceConfig(type: PipelineServiceType) {
|
||||
return getPipelineConfig(type);
|
||||
}
|
||||
|
||||
Loading…
x
Reference in New Issue
Block a user