minor: worked on data quality feedbacks (#20530)

* minor: worked on data quality feedbacks

* fixed unit test
This commit is contained in:
Shailesh Parmar 2025-03-31 22:45:33 +05:30 committed by GitHub
parent 2e1cf3a734
commit c550ca0112
No known key found for this signature in database
GPG Key ID: B5690EEEBB952194
31 changed files with 172 additions and 63 deletions

View File

@ -11,6 +11,7 @@
* limitations under the License.
*/
import { ReactNode } from 'react';
import { CurveType } from 'recharts/types/shape/Curve';
import { OperationPermission } from '../../../../context/PermissionProvider/PermissionProvider.interface';
import { Thread } from '../../../../generated/entity/feed/thread';
@ -39,6 +40,7 @@ export interface ProfilerDetailsCardProps {
tickFormatter?: string;
curveType?: CurveType;
isLoading?: boolean;
noDataPlaceholderText?: ReactNode;
}
export enum TableProfilerTab {

View File

@ -44,6 +44,7 @@ const ProfilerDetailsCard: React.FC<ProfilerDetailsCardProps> = ({
curveType,
title,
isLoading,
noDataPlaceholderText,
}: ProfilerDetailsCardProps) => {
const { data, information } = chartCollection;
const [activeKeys, setActiveKeys] = useState<string[]>([]);
@ -126,7 +127,10 @@ const ProfilerDetailsCard: React.FC<ProfilerDetailsCardProps> = ({
) : (
<Row align="middle" className="h-full w-full" justify="center">
<Col>
<ErrorPlaceHolder className="mt-0-important" />
<ErrorPlaceHolder
className="mt-0-important"
placeholderText={noDataPlaceholderText}
/>
</Col>
</Row>
)}

View File

@ -250,6 +250,7 @@ const ColumnProfileTable = () => {
title: t('label.status'),
dataIndex: 'dataQualityTest',
key: 'dataQualityTest',
width: 150,
render: (_, record) => {
const testCounts = testCaseCounts.find((column) => {
return isEqual(

View File

@ -17,6 +17,9 @@ import documentationLinksClassBase from '../../../../../utils/DocumentationLinks
const NoProfilerBanner = () => {
const { t } = useTranslation();
const profilerDocsLink =
documentationLinksClassBase.getDocsURLS()
.DATA_QUALITY_PROFILER_WORKFLOW_DOCS;
return (
<div
@ -27,7 +30,7 @@ const NoProfilerBanner = () => {
{t('message.no-profiler-message')}
<a
data-testid="documentation-link"
href={`${documentationLinksClassBase.getDocsBaseURL()}how-to-guides/data-quality-observability/profiler/workflow`}
href={profilerDocsLink}
rel="noreferrer"
target="_blank"
title="data quality observability profiler workflow">

View File

@ -23,6 +23,8 @@ import {
import { ColumnProfile } from '../../../../generated/entity/data/container';
import { Table } from '../../../../generated/entity/data/table';
import { getColumnProfilerList } from '../../../../rest/tableAPI';
import { Transi18next } from '../../../../utils/CommonUtils';
import documentationLinksClassBase from '../../../../utils/DocumentationLinksClassBase';
import {
calculateColumnProfilerMetrics,
calculateCustomMetrics,
@ -46,9 +48,15 @@ const SingleColumnProfile: FC<SingleColumnProfileProps> = ({
dateRangeObject,
tableDetails,
}) => {
const { isProfilerDataLoading, customMetric: tableCustomMetric } =
useTableProfiler();
const {
isProfilerDataLoading,
customMetric: tableCustomMetric,
isProfilingEnabled,
} = useTableProfiler();
const { t } = useTranslation();
const profilerDocsLink =
documentationLinksClassBase.getDocsURLS()
.DATA_QUALITY_PROFILER_WORKFLOW_DOCS;
const [isLoading, setIsLoading] = useState(true);
const [columnProfilerData, setColumnProfilerData] = useState<ColumnProfile[]>(
[]
@ -67,6 +75,23 @@ const SingleColumnProfile: FC<SingleColumnProfileProps> = ({
);
const [isMinMaxStringData, setIsMinMaxStringData] = useState(false);
const noProfilerMessage = useMemo(() => {
return isProfilingEnabled ? (
t('message.profiler-is-enabled-but-no-data-available')
) : (
<Transi18next
i18nKey="message.no-profiler-card-message-with-link"
renderElement={
<a
href={profilerDocsLink}
rel="noreferrer"
target="_blank"
title="Profiler Documentation"
/>
}
/>
);
}, [isProfilingEnabled]);
const columnCustomMetrics = useMemo(
() => calculateCustomMetrics(columnProfilerData, customMetrics),
[columnProfilerData, customMetrics]
@ -134,6 +159,7 @@ const SingleColumnProfile: FC<SingleColumnProfileProps> = ({
chartCollection={columnMetric.countMetrics}
isLoading={isLoading}
name="count"
noDataPlaceholderText={noProfilerMessage}
title={t('label.data-count-plural')}
/>
</Col>
@ -142,6 +168,7 @@ const SingleColumnProfile: FC<SingleColumnProfileProps> = ({
chartCollection={columnMetric.proportionMetrics}
isLoading={isLoading}
name="proportion"
noDataPlaceholderText={noProfilerMessage}
tickFormatter="%"
title={t('label.data-proportion-plural')}
/>
@ -151,6 +178,7 @@ const SingleColumnProfile: FC<SingleColumnProfileProps> = ({
chartCollection={columnMetric.mathMetrics}
isLoading={isLoading}
name="math"
noDataPlaceholderText={noProfilerMessage}
showYAxisCategory={isMinMaxStringData}
// only min/max category can be string
title={t('label.data-range')}
@ -161,6 +189,7 @@ const SingleColumnProfile: FC<SingleColumnProfileProps> = ({
chartCollection={columnMetric.sumMetrics}
isLoading={isLoading}
name="sum"
noDataPlaceholderText={noProfilerMessage}
title={t('label.data-aggregate')}
/>
</Col>
@ -169,6 +198,7 @@ const SingleColumnProfile: FC<SingleColumnProfileProps> = ({
chartCollection={columnMetric.quartileMetrics}
isLoading={isLoading}
name="quartile"
noDataPlaceholderText={noProfilerMessage}
title={t('label.data-quartile-plural')}
/>
</Col>
@ -186,6 +216,7 @@ const SingleColumnProfile: FC<SingleColumnProfileProps> = ({
<Col span={24}>
<DataDistributionHistogram
data={{ firstDayData: firstDay, currentDayData: currentDay }}
noDataPlaceholderText={noProfilerMessage}
/>
</Col>
</Row>

View File

@ -97,6 +97,19 @@ jest.mock('../../../../../hoc/LimitWrapper', () => {
return jest.fn().mockImplementation(({ children }) => <div>{children}</div>);
});
jest.mock('../../../../../utils/DocumentationLinksClassBase', () => {
return {
getDocsURLS: jest.fn().mockImplementation(() => ({
DATA_QUALITY_PROFILER_WORKFLOW_DOCS: 'test-docs-link',
})),
};
});
jest.mock('../../../../../utils/CommonUtils', () => ({
Transi18next: jest
.fn()
.mockImplementation(({ i18nKey }) => <div>{i18nKey}</div>),
}));
describe('TableProfilerChart component test', () => {
it('Component should render', async () => {
const mockGetSystemProfileList = getSystemProfileList as jest.Mock;

View File

@ -44,6 +44,8 @@ import {
getSystemProfileList,
getTableProfilesList,
} from '../../../../../rest/tableAPI';
import { Transi18next } from '../../../../../utils/CommonUtils';
import documentationLinksClassBase from '../../../../../utils/DocumentationLinksClassBase';
import {
getAddCustomMetricPath,
getAddDataQualityTableTestPath,
@ -104,6 +106,9 @@ const TableProfilerChart = ({
useState<MetricChartType>(INITIAL_OPERATION_METRIC_VALUE);
const [isLoading, setIsLoading] = useState(true);
const [profileMetrics, setProfileMetrics] = useState<TableProfile[]>([]);
const profilerDocsLink =
documentationLinksClassBase.getDocsURLS()
.DATA_QUALITY_PROFILER_WORKFLOW_DOCS;
const addButtonContent = [
{
@ -129,6 +134,24 @@ const TableProfilerChart = ({
},
];
const noProfilerMessage = useMemo(() => {
return isProfilingEnabled ? (
t('message.profiler-is-enabled-but-no-data-available')
) : (
<Transi18next
i18nKey="message.no-profiler-card-message-with-link"
renderElement={
<a
href={profilerDocsLink}
rel="noreferrer"
target="_blank"
title="Profiler Documentation"
/>
}
/>
);
}, [isProfilingEnabled]);
const tableCustomMetricsProfiling = useMemo(
() => calculateCustomMetrics(profileMetrics, customMetrics),
[profileMetrics, customMetrics]
@ -269,6 +292,7 @@ const TableProfilerChart = ({
curveType="stepAfter"
isLoading={isLoading}
name="rowCount"
noDataPlaceholderText={noProfilerMessage}
title={t('label.data-volume')}
/>
</Col>
@ -293,6 +317,7 @@ const TableProfilerChart = ({
<OperationDateBarChart
chartCollection={operationDateMetrics}
name="operationDateMetrics"
noDataPlaceholderText={noProfilerMessage}
/>
</Col>
</Row>
@ -316,6 +341,7 @@ const TableProfilerChart = ({
<CustomBarChart
chartCollection={operationMetrics}
name="operationMetrics"
noDataPlaceholderText={noProfilerMessage}
/>
</Col>
</Row>

View File

@ -182,7 +182,7 @@ function TableSummary({ entityDetails }: TableSummaryProps) {
<Typography.Text
className="summary-panel-section-title"
data-testid="profiler-header">
{t('label.profiler-amp-data-quality')}
{t('label.data-quality')}
</Typography.Text>
</Col>
<Col span={24}>{profilerSummary}</Col>

View File

@ -11,6 +11,7 @@
* limitations under the License.
*/
import { ReactNode } from 'react';
import { ColumnProfile } from '../../../generated/entity/data/table';
import { MetricChartType } from '../../Database/Profiler/ProfilerDashboard/profilerDashboard.interface';
@ -18,6 +19,7 @@ export interface CustomBarChartProps {
chartCollection: MetricChartType;
name: string;
tickFormatter?: string;
noDataPlaceholderText?: ReactNode;
}
export interface DataDistributionHistogramProps {
@ -25,6 +27,7 @@ export interface DataDistributionHistogramProps {
firstDayData?: ColumnProfile;
currentDayData?: ColumnProfile;
};
noDataPlaceholderText?: ReactNode;
}
export type CustomPieChartData = {

View File

@ -39,6 +39,7 @@ const CustomBarChart = ({
chartCollection,
tickFormatter,
name,
noDataPlaceholderText,
}: CustomBarChartProps) => {
const { data, information } = chartCollection;
const [activeKeys, setActiveKeys] = useState<string[]>([]);
@ -47,7 +48,10 @@ const CustomBarChart = ({
return (
<Row align="middle" className="h-full w-full" justify="center">
<Col>
<ErrorPlaceHolder className="mt-0-important" />
<ErrorPlaceHolder
className="mt-0-important"
placeholderText={noDataPlaceholderText}
/>
</Col>
</Row>
);

View File

@ -35,6 +35,7 @@ import { DataDistributionHistogramProps } from './Chart.interface';
const DataDistributionHistogram = ({
data,
noDataPlaceholderText,
}: DataDistributionHistogramProps) => {
const { t } = useTranslation();
const showSingleGraph =
@ -48,7 +49,7 @@ const DataDistributionHistogram = ({
return (
<Row align="middle" className="h-full w-full" justify="center">
<Col>
<ErrorPlaceHolder />
<ErrorPlaceHolder placeholderText={noDataPlaceholderText} />
</Col>
</Row>
);

View File

@ -37,6 +37,7 @@ import { CustomBarChartProps } from './Chart.interface';
const OperationDateBarChart = ({
chartCollection,
name,
noDataPlaceholderText,
}: CustomBarChartProps) => {
const { data, information } = chartCollection;
const [activeKeys, setActiveKeys] = useState<string[]>([]);
@ -51,7 +52,10 @@ const OperationDateBarChart = ({
return (
<Row align="middle" className="h-full w-full" justify="center">
<Col>
<ErrorPlaceHolder className="mt-0-important" />
<ErrorPlaceHolder
className="mt-0-important"
placeholderText={noDataPlaceholderText}
/>
</Col>
</Row>
);

View File

@ -11,7 +11,7 @@
* limitations under the License.
*/
import { ReactElement } from 'react';
import { ReactElement, ReactNode } from 'react';
import { ERROR_PLACEHOLDER_TYPE, SIZE } from '../../../enums/common.enum';
export interface ErrorPlaceholderProps {
@ -26,7 +26,7 @@ export interface ErrorPlaceholderProps {
icon?: ReactElement;
onClick?: () => void;
permission?: boolean;
placeholderText?: string | JSX.Element;
placeholderText?: ReactNode;
}
export interface NoDataPlaceholderProps {
@ -34,7 +34,7 @@ export interface NoDataPlaceholderProps {
className?: string;
children?: React.ReactNode;
icon?: ReactElement;
placeholderText?: string | JSX.Element;
placeholderText?: ReactNode;
}
export interface CreatePlaceholderProps {
@ -45,7 +45,7 @@ export interface CreatePlaceholderProps {
doc?: string;
permission?: boolean;
buttonId?: string;
placeholderText?: string | JSX.Element;
placeholderText?: ReactNode;
onClick?: () => void;
}
@ -67,9 +67,9 @@ export interface FilterPlaceholderProps {
size?: SIZE;
className?: string;
doc?: string;
placeholderText?: string | JSX.Element;
placeholderText?: ReactNode;
}
export interface FilterTablePlaceHolderProps {
placeholderText?: string | JSX.Element;
placeholderText?: ReactNode;
}

View File

@ -1031,7 +1031,6 @@
"profile-name": "Name des Profils",
"profile-sample-type": "Profil-Sample-Typ {{type}}",
"profiler": "Profiler",
"profiler-amp-data-quality": "Profiler & Datenqualität",
"profiler-configuration": "Profiler Configuration",
"profiler-ingestion": "Profiler-Erfassung",
"profiler-lowercase": "profiler",
@ -1856,7 +1855,7 @@
"no-data-available-entity": "Keine Daten sind in der {{entity}} verfügbar.",
"no-data-available-for-search": "Keine Daten gefunden. Versuchen Sie, einen anderen Text zu suchen.",
"no-data-available-for-selected-filter": "Keine Daten gefunden. Versuchen Sie, die Filter zu ändern.",
"no-data-quality-test-case": "Es scheint, dass für diese Tabelle keine Datenqualitätstests konfiguriert sind. Um herauszufinden, wie Sie Datenqualitätstests einrichten, <0>{{explore}}</0>.",
"no-data-quality-test-case": "Erhöhen Sie die Zuverlässigkeit Ihrer Daten, indem Sie Qualitätstests für diesen Tabelle hinzufügen. Unser Schritt-für-Schritt-Leitfaden wird Ihnen zeigen, wie Sie beginnen, <0>{{explore}}</0>",
"no-default-persona": "Keine Standardpersona",
"no-domain-assigned-to-entity": "Es sind keine Domänen der {{entity}} zugewiesen.",
"no-domain-available": "Es sind keine Domänen zur Konfiguration verfügbar. Klicken Sie auf <0>{{link}}</0>, um Domänen hinzuzufügen.",
@ -1890,8 +1889,9 @@
"no-permission-to-view": "Sie verfügen nicht über die erforderlichen Berechtigungen, um diese Daten anzuzeigen.",
"no-persona-assigned": "Keine persona zugewiesen",
"no-persona-message": "Personas sind erforderlich, um die Landingpage anzupassen. Bitte erstellen Sie eine Persona unter <0>{{link}}</0>.",
"no-profiler-card-message-with-link": "Aktivieren Sie den Profiler, um wertvolle Erkenntnisse über Ihren Tabelle zu entdecken. Besuchen Sie unsere Dokumentation für Einrichtungsschritte <0>hier</0>",
"no-profiler-enabled-summary-message": "Der Profiler ist für diese Tabelle nicht aktiviert.",
"no-profiler-message": "Der Datenprofiler ist eine optionale Konfiguration bei der Ingestion. Bitte aktivieren Sie den Datenprofiler, indem Sie der Dokumentation folgen.",
"no-profiler-message": "Erkunden Sie die Metriken Ihrer Tabelle, indem Sie den Profiler-Workflow ausführen. Sie werden sehen: Zeilenanzahl, Tabellenaktualisierungen, Volumenänderungen und vieles mehr. Besuchen Sie unsere Dokumentation für Einrichtungsschritte ",
"no-recently-viewed-date": "Keine kürzlich angesehenen Daten.",
"no-reference-available": "Keine Verweise verfügbar.",
"no-related-terms-available": "Keine verwandten Begriffe verfügbar.",
@ -1997,6 +1997,7 @@
"profile-sample-percentage-message": "Setze den Profiler-Wert als Prozentsatz",
"profile-sample-row-count-message": "Setze den Profiler-Wert als Zeilenanzahl",
"profiler-ingestion-description": "Ein Profiler-Workflow kann nach der Einrichtung einer Metadaten-Ingestion konfiguriert und bereitgestellt werden. Es können mehrere Profiler-Pipelines für denselben Datenbankdienst eingerichtet werden. Die Pipeline speist das Profiler-Tab der Tabellenentität und führt auch die für diese Entität konfigurierten Tests aus. Gib einen Namen, FQN und definiere das Filtermuster an, um zu starten.",
"profiler-is-enabled-but-no-data-available": "Your profiler is set up and ready! The first set of metrics will appear here after the next scheduled run.",
"profiler-timeout-seconds-message": "Für den Profiler füge optional die Dauer in Sekunden für den Timeout hinzu. Der Profiler wartet auf ausstehende Abfragen oder bricht sie ab, sobald der Timeout erreicht ist.",
"queries-result-test": "Abfragen, die 1 oder mehr Zeilen zurückgeben, führen zum Scheitern des Tests.",
"query-log-duration-message": "Konfiguration zur Anpassung, wie weit wir in den Abfrageprotokollen zurückblicken möchten, um Nutzungsdaten zu verarbeiten.",

View File

@ -1031,7 +1031,6 @@
"profile-name": "Profile Name",
"profile-sample-type": "Profile Sample {{type}}",
"profiler": "Profiler",
"profiler-amp-data-quality": "Profiler & Data Quality",
"profiler-configuration": "Profiler Configuration",
"profiler-ingestion": "Profiler Ingestion",
"profiler-lowercase": "profiler",
@ -1856,7 +1855,7 @@
"no-data-available-entity": "No data is available in the {{entity}}.",
"no-data-available-for-search": "No data found. Try searching a different text.",
"no-data-available-for-selected-filter": "No data found. Try changing the filters.",
"no-data-quality-test-case": "It appears that there are no data quality tests configured for this table. To find out how to set up data quality tests, <0>{{explore}}</0>",
"no-data-quality-test-case": "Enhance your data reliability by adding quality tests to this table. Our step-by-step guide will show you how to get started, <0>{{explore}}</0>",
"no-default-persona": "No default persona",
"no-domain-assigned-to-entity": "No Domains are Assigned to {{entity}}",
"no-domain-available": "No Domains are available to configure. Click on <0>{{link}}</0> to add Domains",
@ -1890,8 +1889,9 @@
"no-permission-to-view": "You do not have the necessary permissions to view this data.",
"no-persona-assigned": "No persona assigned",
"no-persona-message": "Personas are necessary to customize the landing page. Please create a persona from <0>{{link}}</0>",
"no-profiler-card-message-with-link": "Enable the profiler to discover valuable insights about your table. Visit our documentation for setup steps <0>here</0>",
"no-profiler-enabled-summary-message": "Profiler is not enabled for this table.",
"no-profiler-message": "Data Profiler is an optional configuration in Ingestion. Please enable the data profiler by following the documentation.",
"no-profiler-message": "Explore your table's metrics by running the profiler workflow. You'll see Row Count, Table Updates, Volume Changes, and more. Visit our documentation for setup steps ",
"no-recently-viewed-date": "You haven't viewed any data assets recently. Explore to find something interesting!",
"no-reference-available": "No references available.",
"no-related-terms-available": "No related terms available.",
@ -1997,6 +1997,7 @@
"profile-sample-percentage-message": "Set the Profiler value as percentage",
"profile-sample-row-count-message": " Set the Profiler value as row count",
"profiler-ingestion-description": "A profiler workflow can be configured and deployed after a metadata ingestion has been set up. Multiple profiler pipelines can be set up for the same database service. The pipeline feeds the Profiler tab of the Table entity, and also runs the tests configured for that entity. Add a Name, FQN, and define the filter pattern to start.",
"profiler-is-enabled-but-no-data-available": "Your profiler is set up and ready! The first set of metrics will appear here after the next scheduled run.",
"profiler-timeout-seconds-message": "For the Profiler, add the duration in seconds for timeout (optional). The profiler will wait for any pending queries to be executed, or will terminate them once it reaches the timeout.",
"queries-result-test": "Queries returning 1 or more rows will result in the test failing.",
"query-log-duration-message": "Configuration to tune how far we want to look back in query logs to process usage data.",

View File

@ -1031,7 +1031,6 @@
"profile-name": "Nombre del perfil",
"profile-sample-type": "Muestra de perfil {{type}}",
"profiler": "Perfilador",
"profiler-amp-data-quality": "Perfilador y calidad de datos",
"profiler-configuration": "Profiler Configuration",
"profiler-ingestion": "Ingesta del Perfilador",
"profiler-lowercase": "perfilador",
@ -1856,7 +1855,7 @@
"no-data-available-entity": "No hay datos disponibles en {{entity}}.",
"no-data-available-for-search": "No data found. Try searching a different text.",
"no-data-available-for-selected-filter": "No se encontraron datos. Intenta cambiar los filtros.",
"no-data-quality-test-case": "Parece que no hay casos de prueba de calidad de datos configurados para esta tabla. Para aprender cómo configurar pruebas de calidad de datos, <0>{{explore}}</0>",
"no-data-quality-test-case": "Aumenta la confiabilidad de tus datos agregando pruebas de calidad a esta tabla. Nuestro guía paso a paso te mostrará cómo empezar, <0>{{explore}}</0>",
"no-default-persona": "No hay persona predeterminada",
"no-domain-assigned-to-entity": "No se han asignado dominios a {{entity}}",
"no-domain-available": "No hay dominios disponibles para configurar. Haz clic en <0>{{link}}</0> para agregar dominios",
@ -1890,8 +1889,9 @@
"no-permission-to-view": "No tienes permisos para ver estos datos.",
"no-persona-assigned": "Ninguna persona asignada",
"no-persona-message": "Las personas son necesarias para personalizar la página de inicio. Crea una persona desde <0>{{link}}</0>",
"no-profiler-card-message-with-link": "Activa el perfilador para descubrir valiosas conclusiones sobre tu tabla. Visita nuestra documentación para los pasos de configuración <0>aquí</0>",
"no-profiler-enabled-summary-message": "El perfilador no está habilitado para esta tabla.",
"no-profiler-message": "El perfilador de datos es una configuración opcional en la ingestión. Por favor, habilita el perfilador de datos siguiendo la documentación.",
"no-profiler-message": "Explora las métricas de tu tabla ejecutando el flujo de trabajo del perfilador. Verás: Número de filas, Actualizaciones de tablas, Cambios de volumen, y más. Visita nuestra documentación para los pasos de configuración ",
"no-recently-viewed-date": "No hay datos vistos recientemente.",
"no-reference-available": "No hay referencias disponibles.",
"no-related-terms-available": "No hay términos relacionados disponibles.",
@ -1997,6 +1997,7 @@
"profile-sample-percentage-message": "Establece el valor del perfilador como porcentaje",
"profile-sample-row-count-message": "Establece el valor del perfilador como número de filas",
"profiler-ingestion-description": "Se puede configurar y desplegar un workflow para el perfilador después de haber configurado una ingesta de metadatos.",
"profiler-is-enabled-but-no-data-available": "¡Tu perfilador está configurado y listo! El primer conjunto de métricas aparecerá aquí después de la próxima ejecución programada.",
"profiler-timeout-seconds-message": "Para el perfilador, agrega la duración en segundos para el tiempo de espera (opcional).",
"queries-result-test": "Las consultas que devuelvan 1 o más filas darán como resultado un fallo en el test.",
"query-log-duration-message": "Configuración para ajustar cuánto tiempo queremos retroceder en los registros de consultas para procesar datos de uso.",

View File

@ -1031,7 +1031,6 @@
"profile-name": "Nom du Profil",
"profile-sample-type": "Échantillon du Profil {{type}}",
"profiler": "Profilage",
"profiler-amp-data-quality": "Profilage & Contrôle Qualité",
"profiler-configuration": "Profiler Configuration",
"profiler-ingestion": "Ingestion de Profilage",
"profiler-lowercase": "profilage",
@ -1856,7 +1855,7 @@
"no-data-available-entity": "Aucune donnée disponible dans {{entity}}.",
"no-data-available-for-search": "No data found. Try searching a different text.",
"no-data-available-for-selected-filter": "Aucune donnée trouvée. Essayez de modifier les filtres.",
"no-data-quality-test-case": "Il semble qu'il n'y a pas de test de qualité de données configuré pour cette table. Pour en savoir plus sur la mise en place de tests de qualité de données, <0>{{explore}}</0>",
"no-data-quality-test-case": "Enhance your data reliability by adding quality tests to this table. Our step-by-step guide will show you how to get started, <0>{{explore}}</0>",
"no-default-persona": "Aucune persona par défaut",
"no-domain-assigned-to-entity": "Aucun domaine n'est affecté à {{entity}}",
"no-domain-available": "Aucun domaine à configurer disponible. Cliquez sur <0>{{link}}</0> pour ajouter des domaines",
@ -1890,8 +1889,9 @@
"no-permission-to-view": "Vous n'avez pas les autorisations nécessaires pour afficher ces données.",
"no-persona-assigned": "Pas de persona assigné",
"no-persona-message": "Des Personas sont nécessaires pour personnaliser la page d'accueil. Veuillez créer un Persona ici <0>{{link}}</0>",
"no-profiler-card-message-with-link": "Activer le profiler pour découvrir des insights précieux sur votre table. Visitez notre documentation pour les étapes de configuration <0>ici</0>",
"no-profiler-enabled-summary-message": "Le profilage n'est pas activé pour cette table.",
"no-profiler-message": "Le profilage des données est une configuration facultative dans l'ingestion. Veuillez activer le profilage des données en suivant la documentation.",
"no-profiler-message": "Explorez les métriques de votre table en exécutant le workflow de profilage. Vous verrez: Nombre de lignes, Mises à jour de tables, Changements de volume, et plus encore. Visitez notre documentation pour les étapes de configuration ",
"no-recently-viewed-date": "Aucune donnée récemment consultée.",
"no-reference-available": "Aucune référence disponible.",
"no-related-terms-available": "Aucun terme associé disponible.",
@ -1997,6 +1997,7 @@
"profile-sample-percentage-message": "Configurez la valeur du profilage en pourcentage.",
"profile-sample-row-count-message": "Configurez la valeur du profilage en nombre de lignes.",
"profiler-ingestion-description": "Un workflow de profilage peut être configuré et déployé après qu'une ingestion de métadonnées a été configurée. Plusieurs pipelines de profilage peuvent être configurés pour le même service de base de données. Le pipeline alimente l'onglet Profiler de l'entité Table, et exécute également les tests configurés pour cette entité. Ajoutez un nom, un FQN et définissez le modèle de filtre pour commencer.",
"profiler-is-enabled-but-no-data-available": "Votre profiler est configuré et prêt! Le premier ensemble de métriques apparaîtra ici après la prochaine exécution programmée.",
"profiler-timeout-seconds-message": "Le délai d'attente en seconde est optionnel pour le profilage. Si le délai d'attente est atteint, le profilage attendra la fin de l'exécution des requêtes qui ont débuté pour terminer son exécution.",
"queries-result-test": "Une requête dont le résultat retourne 1 ou plusieurs lignes entraînera l'échec du test.",
"query-log-duration-message": "Configuration pour régler la profondeur de la recherche dans les journaux de requête pour traiter les données d'utilisation.",

View File

@ -1031,7 +1031,6 @@
"profile-name": "Nome do perfil",
"profile-sample-type": "Perfil de mostra {{type}}",
"profiler": "Perfilador",
"profiler-amp-data-quality": "Perfilador e Calidade de Datos",
"profiler-configuration": "Configuración do perfilador",
"profiler-ingestion": "Inxestión do perfilador",
"profiler-lowercase": "perfilador",
@ -1856,7 +1855,7 @@
"no-data-available-entity": "Non hai datos dispoñibles en {{entity}}.",
"no-data-available-for-search": "Non se atoparon datos. Tenta buscar con outro texto.",
"no-data-available-for-selected-filter": "Non se atoparon datos. Tenta cambiar os filtros.",
"no-data-quality-test-case": "Parece que non hai probas de calidade de datos configuradas para esta táboa. Para saber como configurar probas de calidade de datos, <0>{{explore}}</0>",
"no-data-quality-test-case": "Aumenta a confiabilidade dos teus datos agregando probas de calidade a esta táboa. O noso guión paso a paso mostrará como comezar, <0>{{explore}}</0>",
"no-default-persona": "Non hai persona predeterminada",
"no-domain-assigned-to-entity": "Non hai Dominios asignados a {{entity}}",
"no-domain-available": "Non hai Dominios dispoñibles para configurar. Fai clic en <0>{{link}}</0> para engadir Dominios",
@ -1890,8 +1889,9 @@
"no-permission-to-view": "Non tes os permisos necesarios para ver estes datos.",
"no-persona-assigned": "Non se asignou ningunha persoa",
"no-persona-message": "As persoas son necesarias para personalizar a páxina de inicio. Crea unha persoa desde <0>{{link}}</0>",
"no-profiler-card-message-with-link": "Activa o perfilador para descubrir valiosas conclusións sobre a túa táboa. Visita a nosa documentación para os pasos de configuración <0>aquí</0>",
"no-profiler-enabled-summary-message": "O perfilador non está activado para esta táboa.",
"no-profiler-message": "O Perfilador de Datos é unha configuración opcional en Inxestión. Activa o perfilador de datos seguindo a documentación.",
"no-profiler-message": "Explora as métricas da túa táboa executando o flujo de traballo do perfilador. Verás: Número de filas, Actualizacións de táboas, Cambios de volume, e máis. Visita a nosa documentación para os pasos de configuración ",
"no-recently-viewed-date": "Aínda non visualizaches ningún activo de datos recentemente. Explora para atopar algo interesante!",
"no-reference-available": "Non hai referencias dispoñibles.",
"no-related-terms-available": "Non hai termos relacionados dispoñibles.",
@ -1997,6 +1997,7 @@
"profile-sample-percentage-message": "Establece o valor do Perfilador como porcentaxe",
"profile-sample-row-count-message": "Establece o valor do Perfilador como reconto de filas",
"profiler-ingestion-description": "Un fluxo de traballo do perfilador pódese configurar e despregar despois de configurar a inxestión de metadatos. Pódense configurar varios pipelines de perfilador para o mesmo servizo de base de datos. O pipeline alimenta a pestana de Perfilador da entidade Táboa e tamén executa as probas configuradas para esa entidade. Engade un Nome, FQN e define o patrón de filtro para comezar.",
"profiler-is-enabled-but-no-data-available": "O teu perfilador está configurado e listo! O primeiro conxunto de métricas aparecerá aquí despois da próxima execución programada.",
"profiler-timeout-seconds-message": "Para o Perfilador, engade a duración en segundos para o tempo de espera (opcional). O perfilador esperará a que se executen as consultas pendentes, ou as finalizará cando alcance o tempo de espera.",
"queries-result-test": "As consultas que devolvan 1 ou máis filas resultarán en que a proba fallará.",
"query-log-duration-message": "Configuración para axustar canto tempo queremos retroceder nos rexistros de consultas para procesar os datos de uso.",

View File

@ -1031,7 +1031,6 @@
"profile-name": "שם הפרופיל",
"profile-sample-type": "דוגמת פרופיל {{type}}",
"profiler": "מדד ואיכות נתונים",
"profiler-amp-data-quality": "מדד ואיכות נתונים",
"profiler-configuration": "Profiler Configuration",
"profiler-ingestion": "הזנת מדד ואיכות נתונים",
"profiler-lowercase": "מדד ואיכות נתונים",
@ -1856,7 +1855,7 @@
"no-data-available-entity": "אין נתונים זמינים ב-{{entity}}.",
"no-data-available-for-search": "No data found. Try searching a different text.",
"no-data-available-for-selected-filter": "לא נמצאו נתונים. נסה לשנות את המסנן.",
"no-data-quality-test-case": "It appears that there are no data quality tests configured for this table. To find out how to set up data quality tests, <0>{{explore}}</0>",
"no-data-quality-test-case": "הגדר ניסויים כדי לשפר את נטילות הנתונים שלך. מדריךנו יציג את הדרך להתחיל, <0>{{explore}}</0>",
"no-default-persona": "אין פרסונה ברירת מחדל",
"no-domain-assigned-to-entity": "לא הוקצו תחומים ל-{{entity}}",
"no-domain-available": "לא קיימים תחומים להגדרה. לחץ על <0>{{link}}</0> כדי להוסיף תחומים",
@ -1890,8 +1889,9 @@
"no-permission-to-view": "אין לך את הרשאות הדרושות להציג את הנתונים האלו.",
"no-persona-assigned": "לא משוייכה דמות",
"no-persona-message": "הדמויות נחוצות כדי להתאים אישית את דף הנחיתה. יש ליצור דמות מה<0>{{link}}</0>",
"no-profiler-card-message-with-link": "הפעל את הפרופילר כדי לגלות תוצאות בסך הכול על טבלה זו. עיין במדריך ההגדרה <0>כאן</0>",
"no-profiler-enabled-summary-message": "הפרופילר אינו מופעל עבור טבלה זו.",
"no-profiler-message": "הפרופילר נתונים הוא הגדרה אופציונלית בקליטה. יש להפעיל את הפרופילר נתונים על ידי מעקב אחרי התיעוד.",
"no-profiler-message": "גלה את מדדי הטבלה שלך על ידי הפעלת פרופילר של טבלה. תראה כמות של שורות, עדכונים של טבלות, שינויים בנפח, ועוד. עיין במדריך ההגדרה <0>כאן</0>",
"no-recently-viewed-date": "אין נתונים שנצפו לאחרונה.",
"no-reference-available": "אין הפניות זמינות.",
"no-related-terms-available": "אין מונחים קשורים זמינים.",
@ -1997,6 +1997,7 @@
"profile-sample-percentage-message": "הגדר את ערך הפרופילר כאחוז",
"profile-sample-row-count-message": "הגדר את ערך הפרופילר כמספר השורות",
"profiler-ingestion-description": "ניתן להגדיר ולהפעיל תהליכי פרופילר לאחר התקנת מטה-דאטה. ניתן להגדיר מספר תהליכי פרופילר לאותו שירות מסד נתונים. התהליך מזרים את המידע ללשונית הפרופילר של ישות הטבלה, וגם מפעיל את הבדיקות שהוגדרו עבור הישות הזו. הוסף שם, FQN והגדר את דפוס הסינון כדי להתחיל.",
"profiler-is-enabled-but-no-data-available": "הפרופילר שלך מוגדר ומוכן! המדדים הראשונים יופיעו כאן לאחר ההפעלה הבאה.",
"profiler-timeout-seconds-message": "לפרופילר, הוסף את משך הזמן בשניות לטיימאוט (אופציונלי). הפרופילר ימתין לשאילתות ממתינות להיבצע או יפסיק אותן כשהוא מגיע לטיימאוט.",
"queries-result-test": "שאילתות שמחזירות 1 או יותר שורות יכולות לגרום לכשל בבדיקה.",
"query-log-duration-message": "הגדרות להתאמה של כמה להחזיר אחורה בלוגי שאילתות לעיבוד נתוני שימוש.",

View File

@ -1031,7 +1031,6 @@
"profile-name": "Profile Name",
"profile-sample-type": "サンプル{{type}}のプロファイル",
"profiler": "プロファイラ",
"profiler-amp-data-quality": "プロファイラとデータ品質",
"profiler-configuration": "Profiler Configuration",
"profiler-ingestion": "プロファイラのインジェスチョン",
"profiler-lowercase": "プロファイラ",
@ -1856,7 +1855,7 @@
"no-data-available-entity": "No data is available in the {{entity}}.",
"no-data-available-for-search": "No data found. Try searching a different text.",
"no-data-available-for-selected-filter": "No data found. Try changing the filters.",
"no-data-quality-test-case": "It appears that there are no data quality tests configured for this table. To find out how to set up data quality tests, <0>{{explore}}</0>",
"no-data-quality-test-case": "データの信頼性を高めるために、このテーブルに品質テストを追加します。手順に従って開始する方法を示します。<0>{{explore}}</0>",
"no-default-persona": "デフォルトのペルソナがありません",
"no-domain-assigned-to-entity": "No Domains are Assigned to {{entity}}",
"no-domain-available": "No Domains are available to configure. Click on <0>{{link}}</0> to add Domains",
@ -1890,8 +1889,9 @@
"no-permission-to-view": "あなたはこのデータを閲覧する権限を持っていません。",
"no-persona-assigned": "No persona assigned",
"no-persona-message": "Personas are necessary to customize the landing page. Please create a persona from <0>{{link}}</0>",
"no-profiler-card-message-with-link": "プロファイラーを有効にして、テーブルに関する貴重な洞察を発見します。手順に従って開始する方法を示します。<0>こちら</0>",
"no-profiler-enabled-summary-message": "Profiler is not enabled for this table.",
"no-profiler-message": "Data Profiler is an optional configuration in Ingestion. Please enable the data profiler by following the documentation.",
"no-profiler-message": "テーブルのメトリクスを実行するプロファイラーワークフローを実行して探索します。行数、テーブルの更新、ボリュームの変更などを確認できます。手順に従って開始する方法を示します。",
"no-recently-viewed-date": "最近閲覧したデータはありません。",
"no-reference-available": "No references available.",
"no-related-terms-available": "関連する用語はありません。",
@ -1997,6 +1997,7 @@
"profile-sample-percentage-message": "Set the Profiler value as percentage",
"profile-sample-row-count-message": " Set the Profiler value as row count",
"profiler-ingestion-description": "A profiler workflow can be configured and deployed after a metadata ingestion has been set up. Multiple profiler pipelines can be set up for the same database service. The pipeline feeds the Profiler tab of the Table entity, and also runs the tests configured for that entity. Add a Name, FQN, and define the filter pattern to start.",
"profiler-is-enabled-but-no-data-available": "プロファイラーは設定され、準備ができています!次のスケジュールされた実行後、最初のメトリクスセットがここに表示されます。",
"profiler-timeout-seconds-message": "For the Profiler, add the duration in seconds for timeout (optional). The profiler will wait for any pending queries to be executed, or will terminate them once it reaches the timeout.",
"queries-result-test": "Queries returning 1 or more rows will result in the test failing.",
"query-log-duration-message": "Configuration to tune how far we want to look back in query logs to process usage data.",

View File

@ -1031,7 +1031,6 @@
"profile-name": "프로필 이름",
"profile-sample-type": "프로필 샘플 {{type}}",
"profiler": "프로파일러",
"profiler-amp-data-quality": "프로파일러 & 데이터 품질",
"profiler-configuration": "프로파일러 구성",
"profiler-ingestion": "프로파일러 수집",
"profiler-lowercase": "프로파일러",
@ -1856,7 +1855,7 @@
"no-data-available-entity": "{{entity}}에 사용 가능한 데이터가 없습니다.",
"no-data-available-for-search": "데이터를 찾을 수 없습니다. 다른 텍스트로 검색해 보세요.",
"no-data-available-for-selected-filter": "데이터를 찾을 수 없습니다. 필터를 변경해 보세요.",
"no-data-quality-test-case": "이 테이블에 구성된 데이터 품질 테스트가 없는 것 같습니다. 데이터 품질 테스트 설정 방법은 <0>{{explore}}</0>를 참조하세요.",
"no-data-quality-test-case": "이 테이블에 품질 테스트를 추가하여 데이터 신뢰성을 향상시키세요. 단계별 가이드에서 시작하는 방법을 보여줄 것입니다. <0>{{explore}}</0>",
"no-default-persona": "기본 페르소나가 없습니다.",
"no-domain-assigned-to-entity": "{{entity}}에 할당된 도메인이 없습니다.",
"no-domain-available": "구성할 도메인이 없습니다. 도메인을 추가하려면 <0>{{link}}</0>를 클릭하세요.",
@ -1890,8 +1889,9 @@
"no-permission-to-view": "이 데이터를 볼 권한이 없습니다.",
"no-persona-assigned": "할당된 페르소나가 없습니다.",
"no-persona-message": "랜딩 페이지 맞춤 설정을 위해 페르소나가 필요합니다. <0>{{link}}</0>에서 페르소나를 생성하세요.",
"no-profiler-card-message-with-link": "프로파일러를 활성화하여 테이블에 대한 중요한 인사이트를 발견하세요. 설정 단계에 대한 자세한 내용은 <0>여기</0>를 참조하세요.",
"no-profiler-enabled-summary-message": "이 테이블에 대해 프로파일러가 활성화되어 있지 않습니다.",
"no-profiler-message": "데이터 프로파일러는 수집 시 선택적 구성입니다. 문서를 참조하여 활성화하세요.",
"no-profiler-message": "프로파일러 워크플로우를 실행하여 테이블의 메트릭을 탐색하세요. 행 수, 테이블 업데이트, 볼륨 변경 등을 확인할 수 있습니다. 설정 단계에 대한 자세한 내용은 <0>여기</0>를 참조하세요.",
"no-recently-viewed-date": "최근에 조회한 데이터 자산이 없습니다. 흥미로운 자산을 찾아보세요!",
"no-reference-available": "참조를 찾을 수 없습니다.",
"no-related-terms-available": "관련 용어가 없습니다.",
@ -1997,6 +1997,7 @@
"profile-sample-percentage-message": "프로파일러 값을 백분율로 설정하세요.",
"profile-sample-row-count-message": "프로파일러 값을 행 수로 설정하세요.",
"profiler-ingestion-description": "메타데이터 수집 설정 후 프로파일러 워크플로우를 구성 및 배포할 수 있습니다. 동일한 데이터베이스 서비스에 대해 여러 프로파일러 파이프라인을 설정할 수 있으며, 이 파이프라인은 테이블 엔터티의 프로파일러 탭에 데이터를 공급하고, 해당 엔터티에 구성된 테스트를 실행합니다. 시작하려면 이름, FQN, 그리고 필터 패턴을 정의하세요.",
"profiler-is-enabled-but-no-data-available": "프로파일러가 설정되어 준비되었습니다! 다음 예약 실행 후 첫 번째 메트릭 세트가 여기에 나타날 것입니다.",
"profiler-timeout-seconds-message": "프로파일러의 타임아웃 시간을 초 단위로 입력하세요 (선택 사항). 프로파일러는 대기 중인 쿼리가 실행되도록 기다리거나 타임아웃에 도달하면 해당 쿼리를 종료합니다.",
"queries-result-test": "1개 이상의 행을 반환하는 쿼리는 테스트 실패로 처리됩니다.",
"query-log-duration-message": "쿼리 로그에서 사용 데이터를 처리하기 위해 조회할 기간을 조정하는 구성입니다.",

View File

@ -1031,7 +1031,6 @@
"profile-name": "प्रोफाइल नाव",
"profile-sample-type": "प्रोफाइल नमुना {{type}}",
"profiler": "प्रोफाइलर",
"profiler-amp-data-quality": "प्रोफाइलर आणि डेटा गुणवत्ता",
"profiler-configuration": "प्रोफाइलर संरचना",
"profiler-ingestion": "प्रोफाइलर अंतर्ग्रहण",
"profiler-lowercase": "प्रोफाइलर",
@ -1856,7 +1855,7 @@
"no-data-available-entity": "{{entity}} मध्ये डेटा उपलब्ध नाही.",
"no-data-available-for-search": "डेटा सापडला नाही. वेगळा मजकूर शोधून पहा.",
"no-data-available-for-selected-filter": "डेटा सापडला नाही. फिल्टर्स बदलून पहा.",
"no-data-quality-test-case": "असे दिसते की या टेबलसाठी कोणत्याही डेटा गुणवत्ता चाचण्या कॉन्फिगर केलेल्या नाहीत. डेटा गुणवत्ता चाचण्या कशा सेट करायच्या हे शोधण्यासाठी, <0>{{explore}}</0>",
"no-data-quality-test-case": "या टेबलमध्ये डेटा गुणवत्तेवर परिणाम करणारी कोणतीही सक्रिय घटना नाहीत. <0>{{explore}}</0>",
"no-default-persona": "कोणतीही डिफॉल्ट व्यक्ति नाही",
"no-domain-assigned-to-entity": "{{entity}} साठी कोणतेही डोमेन नियुक्त केलेले नाहीत",
"no-domain-available": "कॉन्फिगर करण्यासाठी कोणतेही डोमेन्स उपलब्ध नाहीत. डोमेन्स जोडण्यासाठी <0>{{link}}</0> वर क्लिक करा",
@ -1890,8 +1889,9 @@
"no-permission-to-view": "हा डेटा पाहण्यासाठी तुमच्याकडे आवश्यक परवानग्या नाहीत.",
"no-persona-assigned": "कोणतेही व्यक्तिमत्व नियुक्त केलेले नाही",
"no-persona-message": "लँडिंग पृष्ठ सानुकूलित करण्यासाठी व्यक्तिमत्व आवश्यक आहेत. कृपया <0>{{link}}</0> वरून व्यक्तिमत्व तयार करा",
"no-profiler-card-message-with-link": "प्रोफाइलर सक्षम करण्यासाठी या टेबलमध्ये मूल्यवान बिंदूंची खोरणी करा. सेटअप चरणांची विवरण या दस्तऐवजावर देखील पाहा <0>या या</0>",
"no-profiler-enabled-summary-message": "या टेबलसाठी प्रोफाइलर सक्षम केलेले नाही.",
"no-profiler-message": "डेटा प्रोफाइलर अंतर्ग्रहणामध्ये एक पर्यायी संरचना आहे. कृपया दस्तऐवजीकरणाचे अनुसरण करून डेटा प्रोफाइलर सक्षम करा.",
"no-profiler-message": "प्रोफाइलर वर्कफ्लो चालवून आपल्या टेबलच्या मेट्रिक्स अन्वेषण करा. आपण पंक्तीची संख्या, टेबल अद्यतने, व्हॉल्यूम बदल, आणि अधिक पाहणार आहात. सेटअप स्टेप्ससाठी आमच्या संदर्भासाठी आमच्या दस्तऐवजावर भेट द्या ",
"no-recently-viewed-date": "तुम्ही अलीकडे कोणतेही डेटा ॲसेट पाहिलेले नाहीत. काहीतरी मनोरंजक शोधण्यासाठी एक्सप्लोर करा!",
"no-reference-available": "कोणतेही संदर्भ उपलब्ध नाहीत.",
"no-related-terms-available": "संबंधित संज्ञा उपलब्ध नाहीत.",
@ -1997,6 +1997,7 @@
"profile-sample-percentage-message": "प्रोफाइलर मूल्य टक्केवारी म्हणून सेट करा",
"profile-sample-row-count-message": "प्रोफाइलर मूल्य पंक्ति संख्या म्हणून सेट करा",
"profiler-ingestion-description": "प्रोफाइलर कार्यप्रवाह मेटाडेटा अंतर्ग्रहण सेट केल्यानंतर कॉन्फिगर आणि तैनात केला जाऊ शकतो. त्याच डेटाबेस सेवेसाठी एकाधिक प्रोफाइलर पाइपलाइन सेट केल्या जाऊ शकतात. पाइपलाइन टेबल घटकाच्या प्रोफाइलर टॅबला फीड करते आणि त्या घटकासाठी कॉन्फिगर केलेल्या चाचण्या देखील चालवते. प्रारंभ करण्यासाठी नाव, FQN जोडा आणि फिल्टर पॅटर्न परिभाषित करा.",
"profiler-is-enabled-but-no-data-available": "तुमच्या प्रोफाइलरची सेटिंग केलेली आहे आणि तयार आहे! पहिल्या सेट मेट्रिक्स येथे दिसतील आपल्याला आणि त्यानंतर नेक्स्ट स्केज्युल्ड रननंतर.",
"profiler-timeout-seconds-message": "प्रोफाइलरसाठी, टाइमआउटसाठी सेकंदात कालावधी जोडा (पर्यायी). प्रोफाइलर कोणत्याही प्रलंबित क्वेरी कार्यान्वित होण्याची प्रतीक्षा करेल किंवा टाइमआउटपर्यंत पोहोचल्यावर त्यांना समाप्त करेल.",
"queries-result-test": "1 किंवा अधिक पंक्ती परत करणाऱ्या क्वेरीमुळे चाचणी अयशस्वी होईल.",
"query-log-duration-message": "वापर डेटा प्रक्रिया करण्यासाठी क्वेरी लॉगमध्ये मागे पाहण्याची किती दूर ट्यून करायची हे कॉन्फिगरेशन.",

View File

@ -1031,7 +1031,6 @@
"profile-name": "Profielnaam",
"profile-sample-type": "Voorbeeldprofiel {{type}}",
"profiler": "Profiler",
"profiler-amp-data-quality": "Profiler & datakwaliteit",
"profiler-configuration": "Profiler Configuration",
"profiler-ingestion": "Profileringestie",
"profiler-lowercase": "profiler",
@ -1856,7 +1855,7 @@
"no-data-available-entity": "Geen data beschikbaar in {{entity}}.",
"no-data-available-for-search": "No data found. Try searching a different text.",
"no-data-available-for-selected-filter": "Geen data gevonden. Probeer de filters te wijzigen.",
"no-data-quality-test-case": "Het lijkt erop dat er geen datakwaliteitstesten zijn geconfigureerd voor deze tabel. Ontdek hoe je datakwaliteitstests kunt instellen, <0>{{explore}}</0>",
"no-data-quality-test-case": "Verhoog de betrouwbaarheid van uw data door kwaliteitstests toe te voegen aan deze tabel. Onze stap-voor-stapgids zal u laten zien hoe u begint, <0>{{explore}}</0>",
"no-default-persona": "Geen standaardpersoon",
"no-domain-assigned-to-entity": "Geen domeinen zijn toegewezen aan {{entity}}",
"no-domain-available": "Er zijn geen domeinen beschikbaar om te configureren. Klik op <0>{{link}}</0> om domeinen toe te voegen",
@ -1890,8 +1889,9 @@
"no-permission-to-view": "Je hebt niet de vereiste rechten om deze data te bekijken.",
"no-persona-assigned": "Geen persona toegewezen",
"no-persona-message": "Persona's zijn nodig om de startpagina aan te passen. Maak alstublieft een persona aan vanaf <0>{{link}}</0>",
"no-profiler-card-message-with-link": "Activeer de profiler om waardevolle inzichten over je tabel te ontdekken. Bezoek onze documentatie voor de instellingstappen <0>hier</0>",
"no-profiler-enabled-summary-message": "Profiler is niet ingeschakeld voor deze tabel.",
"no-profiler-message": "Data Profiler is een optionele configuratie in ingestie. Schakel de data-profiler in met behulp van de documentatie.",
"no-profiler-message": "Ontdek de metrieken van uw tabel door de profiler-werkstroom uit te voeren. U zult het aantal rijen, tabelupdates, volumewijzigingen en meer zien. Bezoek onze documentatie voor de installatiestappen ",
"no-recently-viewed-date": "Geen recent bekeken data.",
"no-reference-available": "Geen referenties beschikbaar.",
"no-related-terms-available": "Geen gerelateerde termen beschikbaar.",
@ -1997,6 +1997,7 @@
"profile-sample-percentage-message": "Stel de Profiler-waarde in als percentage",
"profile-sample-row-count-message": "Stel de Profiler-waarde in als rijtelling",
"profiler-ingestion-description": "Een profiler-workflow kan worden geconfigureerd en ingezet nadat een metadata-ingestie is opgezet. Meerdere profiler-pipelines kunnen worden opgezet voor dezelfde databaseservice. De pipeline voedt het Profiler-tabblad van de Table-entiteit en voert ook de tests uit die zijn geconfigureerd voor die entiteit. Voeg een naam, FQN toe en definieer het filterpatroon om te beginnen.",
"profiler-is-enabled-but-no-data-available": "Je profiler is ingesteld en klaar! De eerste set van metrieken verschijnt hier na de volgende geplande uitvoering.",
"profiler-timeout-seconds-message": "Voeg voor de Profiler de duur in seconden toe voor time-out (optioneel). De profiler wacht op eventuele uitstaande queries die moeten worden uitgevoerd, of beëindigt ze zodra de time-out is bereikt.",
"queries-result-test": "Queries die 1 of meer rijen retourneren, resulteren in een mislukte test.",
"query-log-duration-message": "Configuratie om in te stellen hoe ver we willen terugkijken in querylogs om gebruiksdata te verwerken.",

View File

@ -1031,7 +1031,6 @@
"profile-name": "نام پروفایل",
"profile-sample-type": "نوع نمونه پروفایل {{type}}",
"profiler": "پروفایلر",
"profiler-amp-data-quality": "پروفایلر و کیفیت داده",
"profiler-configuration": "پیکربندی پروفایلر",
"profiler-ingestion": "ورود پروفایلر",
"profiler-lowercase": "پروفایلر",
@ -1856,7 +1855,7 @@
"no-data-available-entity": "هیچ داده‌ای در {{entity}} موجود نیست.",
"no-data-available-for-search": "هیچ داده‌ای یافت نشد. متن دیگری را جستجو کنید.",
"no-data-available-for-selected-filter": "هیچ داده‌ای یافت نشد. فیلترها را تغییر دهید.",
"no-data-quality-test-case": ه نظر می‌رسد که هیچ تست کیفیت داده‌ای برای این جدول پیکربندی نشده است. برای آگاهی از نحوه تنظیم تست‌های کیفیت داده، <0>{{explore}}</0>",
"no-data-quality-test-case": ا اضافه کردن تست‌های کیفیت داده به این جدول، اعتماد خود را بهبود بخشید. راهنمای مرحله‌ای ما به شما نشان خواهد داد که چگونه شروع کنیم، <0>{{explore}}</0>",
"no-default-persona": "No hay persona predeterminada",
"no-domain-assigned-to-entity": "هیچ دامنه‌ای به {{entity}} اختصاص داده نشده است.",
"no-domain-available": "هیچ دامنه‌ای برای پیکربندی در دسترس نیست. برای افزودن دامنه‌ها کلیک کنید <0>{{link}}</0>.",
@ -1890,8 +1889,9 @@
"no-permission-to-view": "شما مجوزهای لازم برای مشاهده این داده‌ها را ندارید.",
"no-persona-assigned": "هیچ شخصیتی تخصیص داده نشده است.",
"no-persona-message": "شخصیت‌ها برای سفارشی کردن صفحه اصلی لازم هستند. لطفاً از <0>{{link}}</0> یک شخصیت ایجاد کنید.",
"no-profiler-card-message-with-link": "فعال کردن پروفایلر برای کشف اطلاعات قابل ارزش درباره جدول. برای مراحل ساخت و اجرا <0>اینجا</0> مراجعه کنید.",
"no-profiler-enabled-summary-message": "پروفایلر برای این جدول فعال نشده است.",
"no-profiler-message": "پروفایلر داده یک پیکربندی اختیاری در Ingestion است. لطفاً پروفایلر داده را با دنبال کردن مستندات فعال کنید.",
"no-profiler-message": "با اجرای جریان کاری پروفایلر، معیارهای جدول خود را کاوش کنید. شما تعداد ردیف، به‌روزرسانی‌های جدول، تغییرات حجم و موارد دیگر را خواهید دید. برای مراحل راه‌اندازی به مستندات ما مراجعه کنید ",
"no-recently-viewed-date": "شما اخیراً هیچ دارایی داده‌ای را مشاهده نکرده‌اید. کاوش کنید تا چیزی جالب پیدا کنید!",
"no-reference-available": "هیچ مرجعی در دسترس نیست.",
"no-related-terms-available": "هیچ واژه مرتبطی موجود نیست.",
@ -1997,6 +1997,7 @@
"profile-sample-percentage-message": "مقدار پروفایلر را به صورت درصد تنظیم کنید.",
"profile-sample-row-count-message": "مقدار پروفایلر را به صورت تعداد ردیف تنظیم کنید.",
"profiler-ingestion-description": "یک جریان کاری پروفایلر پس از تنظیم ورود متادیتا قابل پیکربندی و پیاده‌سازی است. چندین خط لوله پروفایلر می‌تواند برای همان سرویس پایگاه داده تنظیم شود. این خط لوله، زبانه پروفایلر از موجودیت جدول را تغذیه می‌کند و همچنین تست‌هایی که برای آن موجودیت پیکربندی شده‌اند را اجرا می‌کند. یک نام، FQN وارد کنید و الگوی فیلتر را برای شروع تعریف کنید.",
"profiler-is-enabled-but-no-data-available": "پروفایلر شما تنظیم شده و آماده است! اولین مجموعه از متریک‌ها پس از اجرای برنامه‌ریزی‌شده بعدی در اینجا ظاهر خواهد شد.",
"profiler-timeout-seconds-message": "برای پروفایلر، مدت زمان به ثانیه برای زمان قطع (اختیاری) را اضافه کنید. پروفایلر منتظر اجرای هر پرسش معوق خواهد بود، یا پس از رسیدن به زمان قطع آن‌ها را خاتمه می‌دهد.",
"queries-result-test": "پرسش‌هایی که یک یا چند ردیف را برمی‌گردانند منجر به شکست تست خواهند شد.",
"query-log-duration-message": "پیکربندی برای تنظیم چگونگی دوربردی که می‌خواهیم به لاگ‌های پرسش نگاه کنیم تا داده‌های استفاده را پردازش کنیم.",

View File

@ -1031,7 +1031,6 @@
"profile-name": "Nome do Perfil",
"profile-sample-type": "Amostra de Perfil {{type}}",
"profiler": "Profiler",
"profiler-amp-data-quality": "Profiler & Qualidade de Dados",
"profiler-configuration": "Profiler Configuration",
"profiler-ingestion": "Ingestão de Profiler",
"profiler-lowercase": "profiler",
@ -1856,7 +1855,7 @@
"no-data-available-entity": "Não há dados disponíveis em {{entity}}.",
"no-data-available-for-search": "No data found. Try searching a different text.",
"no-data-available-for-selected-filter": "Nenhum dado encontrado. Tente alterar os filtros.",
"no-data-quality-test-case": "It appears that there are no data quality tests configured for this table. To find out how to set up data quality tests, <0>{{explore}}</0>",
"no-data-quality-test-case": "Aumente a confiabilidade de seus dados adicionando testes de qualidade a esta tabela. Nosso guia passo a passo mostrará como começar, <0>{{explore}}</0>",
"no-default-persona": "Nenhuma persona padrão",
"no-domain-assigned-to-entity": "Nenhum domínio está atribuído a {{entity}}",
"no-domain-available": "Nenhum domínio disponível para configurar. Clique em <0>{{link}}</0> para adicionar domínios",
@ -1890,8 +1889,9 @@
"no-permission-to-view": "Você não possui as permissões necessárias para visualizar esses dados.",
"no-persona-assigned": "Nenhuma persona atribuída",
"no-persona-message": "Personas são necessárias para personalizar a página inicial. Crie uma persona em <0>{{link}}</0>",
"no-profiler-card-message-with-link": "Ative o profiler para descobrir insights valiosos sobre sua tabela. Visite nossa documentação para etapas de configuração <0>aqui</0>",
"no-profiler-enabled-summary-message": "O examinador não está habilitado para esta tabela.",
"no-profiler-message": "O Examinador de Dados é uma configuração opcional na Ingestão. Ative o examinador de dados seguindo a documentação.",
"no-profiler-message": "Explore as métricas da sua tabela executando o fluxo de trabalho do profiler. Você verá Contagem de Linhas, Atualizações de Tabela, Mudanças de Volume, e mais. Visite nossa documentação para etapas de configuração ",
"no-recently-viewed-date": "Nenhum dado visualizado recentemente.",
"no-reference-available": "Nenhuma referência disponível.",
"no-related-terms-available": "Nenhum termo relacionado disponível.",
@ -1997,6 +1997,7 @@
"profile-sample-percentage-message": "Defina o valor do Examinador como porcentagem",
"profile-sample-row-count-message": "Defina o valor do Examinador como contagem de linhas",
"profiler-ingestion-description": "Um fluxo de trabalho de examinador pode ser configurado e implantado após uma ingestão de metadados ter sido configurada. Múltiplos pipelines de examinador podem ser configurados para o mesmo serviço de banco de dados. O pipeline alimenta a guia de Examinador da entidade Tabela e também executa os testes configurados para essa entidade. Adicione um Nome, FQN e defina o padrão de filtro para começar.",
"profiler-is-enabled-but-no-data-available": "O seu profiler está configurado e pronto! O primeiro conjunto de métricas aparecerá aqui após a próxima execução agendada.",
"profiler-timeout-seconds-message": "Para o Examinador, adicione a duração em segundos para o tempo limite (opcional). O examinador aguardará qualquer consulta pendente ser executada ou as encerrará assim que atingir o tempo limite.",
"queries-result-test": "Consultas que retornam 1 ou mais linhas resultarão na falha do teste.",
"query-log-duration-message": "Configuração para ajustar até onde queremos olhar nos registros de consulta para processar dados de uso.",

View File

@ -1031,7 +1031,6 @@
"profile-name": "Nome do Perfil",
"profile-sample-type": "Amostra de Perfil {{type}}",
"profiler": "Profiler",
"profiler-amp-data-quality": "Profiler & Qualidade de Dados",
"profiler-configuration": "Profiler Configuration",
"profiler-ingestion": "Ingestão de Profiler",
"profiler-lowercase": "profiler",
@ -1856,7 +1855,7 @@
"no-data-available-entity": "Não há dados disponíveis em {{entity}}.",
"no-data-available-for-search": "No data found. Try searching a different text.",
"no-data-available-for-selected-filter": "Nenhum dado encontrado. Tente alterar os filtros.",
"no-data-quality-test-case": "It appears that there are no data quality tests configured for this table. To find out how to set up data quality tests, <0>{{explore}}</0>",
"no-data-quality-test-case": "Aumente a confiabilidade de seus dados adicionando testes de qualidade a esta tabela. Nosso guia passo a passo mostrará como começar, <0>{{explore}}</0>",
"no-default-persona": "Nenhuma persona padrão",
"no-domain-assigned-to-entity": "Nenhum domínio está atribuído a {{entity}}",
"no-domain-available": "Nenhum domínio disponível para configurar. Clique em <0>{{link}}</0> para adicionar domínios",
@ -1890,8 +1889,9 @@
"no-permission-to-view": "Você não possui as permissões necessárias para visualizar esses dados.",
"no-persona-assigned": "Nenhuma persona atribuída",
"no-persona-message": "Personas são necessárias para personalizar a página inicial. Crie uma persona em <0>{{link}}</0>",
"no-profiler-card-message-with-link": "Ative o profiler para descobrir insights valiosos sobre sua tabela. Visite nossa documentação para etapas de configuração <0>aqui</0>",
"no-profiler-enabled-summary-message": "O examinador não está habilitado para esta tabela.",
"no-profiler-message": "O Examinador de Dados é uma configuração opcional na Ingestão. Ative o examinador de dados seguindo a documentação.",
"no-profiler-message": "Explore as métricas da sua tabela executando o fluxo de trabalho do profiler. Você verá Contagem de Linhas, Atualizações de Tabela, Mudanças de Volume, e mais. Visite nossa documentação para etapas de configuração ",
"no-recently-viewed-date": "Nenhum dado visualizado recentemente.",
"no-reference-available": "Nenhuma referência disponível.",
"no-related-terms-available": "Nenhum termo relacionado disponível.",
@ -1997,6 +1997,7 @@
"profile-sample-percentage-message": "Defina o valor do Examinador como percentagem",
"profile-sample-row-count-message": "Defina o valor do Examinador como contagem de linhas",
"profiler-ingestion-description": "Um fluxo de trabalho de examinador pode ser configurado e implantado após uma ingestão de metadados ter sido configurada. Múltiplos pipelines de examinador podem ser configurados para o mesmo serviço de banco de dados. O pipeline alimenta a guia de Examinador da entidade Tabela e também executa os testes configurados para essa entidade. Adicione um Nome, FQN e defina o padrão de filtro para começar.",
"profiler-is-enabled-but-no-data-available": "O seu profiler está configurado e pronto! O primeiro conjunto de métricas aparecerá aqui após a próxima execução agendada.",
"profiler-timeout-seconds-message": "Para o Examinador, adicione a duração em segundos para o tempo limite (opcional). O examinador aguardará qualquer consulta pendente ser executada ou as encerrará assim que atingir o tempo limite.",
"queries-result-test": "Consultas que retornam 1 ou mais linhas resultarão na falha do teste.",
"query-log-duration-message": "Configuração para ajustar até onde queremos olhar nos registos de consulta para processar dados de uso.",

View File

@ -1031,7 +1031,6 @@
"profile-name": "Имя профиля",
"profile-sample-type": "Образец профиля {{type}}",
"profiler": "Профайлер",
"profiler-amp-data-quality": "Профайлер & Качество данных",
"profiler-configuration": "Profiler Configuration",
"profiler-ingestion": "Получение профайлера",
"profiler-lowercase": "профайлер",
@ -1856,7 +1855,7 @@
"no-data-available-entity": "No data is available in the {{entity}}.",
"no-data-available-for-search": "No data found. Try searching a different text.",
"no-data-available-for-selected-filter": "Данные не найдены. Попробуйте поменять фильтры.",
"no-data-quality-test-case": "It appears that there are no data quality tests configured for this table. To find out how to set up data quality tests, <0>{{explore}}</0>",
"no-data-quality-test-case": "Улучшите надежность данных, добавив тесты качества к этой таблице. Наш пошаговый руководство покажет, как начать, <0>{{explore}}</0>",
"no-default-persona": "Нет стандартной персоны",
"no-domain-assigned-to-entity": "No Domains are Assigned to {{entity}}",
"no-domain-available": "No Domains are available to configure. Click on <0>{{link}}</0> to add Domains",
@ -1890,8 +1889,9 @@
"no-permission-to-view": "У вас нет необходимых разрешений для просмотра этих данных.",
"no-persona-assigned": "No persona assigned",
"no-persona-message": "Personas are necessary to customize the landing page. Please create a persona from <0>{{link}}</0>",
"no-profiler-card-message-with-link": "Включите профайлер, чтобы обнаружить ценные сведения о вашей таблице. Посетите нашу документацию для шагов настройки <0>здесь</0>",
"no-profiler-enabled-summary-message": "Профайлер не включен для этой таблицы.",
"no-profiler-message": "Профайлер данных — это необязательная конфигурация при получении данных. Включите профилировщик данных, следуя документации.",
"no-profiler-message": "Исследуйте метрики вашей таблицы, запустив рабочий процесс профайлера. Вы увидите количество строк, обновления таблицы, изменения объема и другие показатели. Посетите нашу документацию для шагов настройки ",
"no-recently-viewed-date": "Нет недавно просмотренных данных.",
"no-reference-available": "Нет доступных ссылок.",
"no-related-terms-available": "Нет доступных связанных терминов.",
@ -1997,6 +1997,7 @@
"profile-sample-percentage-message": "Установите значение профайлера в процентах",
"profile-sample-row-count-message": "Установите количество строк для профайлера",
"profiler-ingestion-description": "Рабочий процесс профилировщика можно настроить и развернуть после настройки приема метаданных. Для одной и той же службы базы данных можно настроить несколько конвейеров профилировщика. Конвейер загружает вкладку «Профилировщик» объекта «Таблица», а также запускает тесты, настроенные для этого объекта. Добавьте имя, полное доменное имя и определите шаблон фильтра для запуска.",
"profiler-is-enabled-but-no-data-available": "Ваш профайлер настроен и готов! Первый набор метрик появится здесь после следующего запланированного запуска.",
"profiler-timeout-seconds-message": "Для профилировщика добавьте продолжительность тайм-аута в секундах (необязательно). Профилировщик будет ждать выполнения любых ожидающих запросов или завершит их, как только истечет время ожидания.",
"queries-result-test": "Запросы, возвращающие 1 или более строк, приведут к сбою теста.",
"query-log-duration-message": "Конфигурация для настройки того, как далеко мы хотим заглянуть в журналы запросов для обработки данных об использовании.",

View File

@ -1031,7 +1031,6 @@
"profile-name": "ชื่อโปรไฟล์",
"profile-sample-type": "ตัวอย่างโปรไฟล์ {{type}}",
"profiler": "โปรไฟล์เลอร์",
"profiler-amp-data-quality": "โปรไฟล์เลอร์ & คุณภาพข้อมูล",
"profiler-configuration": "การกำหนดค่าโปรไฟล์เลอร์",
"profiler-ingestion": "การนำเข้าข้อมูลโปรไฟล์เลอร์",
"profiler-lowercase": "โปรไฟล์เลอร์",
@ -1856,7 +1855,7 @@
"no-data-available-entity": "ไม่มีข้อมูลใน {{entity}}",
"no-data-available-for-search": "ไม่พบข้อมูล ลองค้นหาข้อความอื่น",
"no-data-available-for-selected-filter": "ไม่พบข้อมูล ลองเปลี่ยนตัวกรอง",
"no-data-quality-test-case": "ดูเหมือนว่าจะไม่มีการทดสอบคุณภาพข้อมูลที่กำหนดไว้สำหรับตารางนี้ หากต้องการค้นหาวิธีการตั้งค่าการทดสอบคุณภาพข้อมูล <0>{{explore}}</0>",
"no-data-quality-test-case": "ปรับปรุงความเชื่อมโยงของข้อมูลของคุณโดยเพิ่มการทดสอบคุณภาพข้อมูลให้กับตารางนี้ คำแนะนำขั้นตอนที่จะแสดงให้คุณทราบวิธีการเริ่มต้น, <0>{{explore}}</0>",
"no-default-persona": "ไม่มีบุคคลเริ่มต้น",
"no-domain-assigned-to-entity": "ไม่มีโดเมนที่ถูกมอบหมายให้กับ {{entity}}",
"no-domain-available": "ไม่มีโดเมนที่สามารถกำหนดค่าได้ คลิกที่ <0>{{link}}</0> เพื่อลงทะเบียนโดเมนใหม่",
@ -1890,8 +1889,9 @@
"no-permission-to-view": "คุณไม่มีสิทธิ์ที่จำเป็นในการดูข้อมูลนี้",
"no-persona-assigned": "ไม่มีบุคลิกภาพที่กำหนดไว้",
"no-persona-message": "บุคลิกภาพเป็นสิ่งจำเป็นในการปรับแต่งหน้าแรก โปรดสร้างบุคลิกภาพจาก <0>{{link}}</0>",
"no-profiler-card-message-with-link": "เปิดใช้งานการตรวจสอบเพื่อค้นหาข้อมูลที่มีคุณค่าในตารางของคุณ โปรดดูที่ <0>คำแนะนำการตั้งค่า</0> เพื่อดำเนินการต่อ",
"no-profiler-enabled-summary-message": "โปรไฟล์เลอร์ไม่ได้เปิดใช้งานสำหรับตารางนี้",
"no-profiler-message": "Data Profiler เป็นการตั้งค่าเสริมในการนำเข้า โปรดเปิดใช้งานโปรไฟล์เลอร์ข้อมูลโดยอ้างอิงจากเอกสาร",
"no-profiler-message": "สำรวจเมตริกของตารางของคุณโดยเรียกใช้งานเวิร์กโฟลว์โปรไฟล์เลอร์ คุณจะได้เห็นจำนวนแถว การอัพเดตตาราง การเปลี่ยนแปลงปริมาณ และอื่น ๆ เยี่ยมชมเอกสารของเราเพื่อดูขั้นตอนการตั้งค่า",
"no-recently-viewed-date": "คุณยังไม่ได้ดูสินทรัพย์ข้อมูลใด ๆ เมื่อเร็ว ๆ นี้ สำรวจเพื่อค้นหาสิ่งที่น่าสนใจ!",
"no-reference-available": "ไม่มีการอ้างอิงที่ใช้งานได้",
"no-related-terms-available": "ไม่มีคำที่เกี่ยวข้องที่สามารถใช้งานได้",
@ -1997,6 +1997,7 @@
"profile-sample-percentage-message": "ตั้งค่าค่าโปรไฟล์เป็นเปอร์เซ็นต์",
"profile-sample-row-count-message": "ตั้งค่าค่าโปรไฟล์เป็นจำนวนแถว",
"profiler-ingestion-description": "กระบวนการทำงานของโปรไฟล์เลอร์สามารถกำหนดค่าและเรียกใช้งานได้หลังจากการนำเข้าข้อมูลเมตาถูกกำหนดขึ้นแล้ว สามารถตั้งค่าท่อโปรไฟล์เลอร์หลายท่อสำหรับบริการฐานข้อมูลเดียวกัน ท่อจะให้อาหารกับแท็บโปรไฟล์เลอร์ของเอนทิตีตาราง และยังรันการทดสอบที่กำหนดไว้สำหรับเอนทิตีนั้น เพิ่มชื่อ, FQN, และกำหนดรูปแบบการกรองเพื่อเริ่มต้น",
"profiler-is-enabled-but-no-data-available": "โปรไฟล์เลอร์ของคุณได้รับการตั้งค่าและพร้อมใช้งานแล้ว! ชุดเมตริกแรกจะปรากฏที่นี่หลังจากการรันตามกำหนดเวลาต่อไป",
"profiler-timeout-seconds-message": "สำหรับโปรไฟล์เลอร์ เพิ่มระยะเวลาในวินาทีสำหรับการหมดเวลา (เลือกได้) โปรไฟล์เลอร์จะรอคำสั่งที่รอดำเนินการเพื่อให้ทำงาน, หรือจะยุติเมื่อถึงเวลาหมดเวลา",
"queries-result-test": "คำสั่งที่คืนค่ามากกว่าหรือเท่ากับ 1 แถว จะทำให้การทดสอบล้มเหลว",
"query-log-duration-message": "การตั้งค่าเพื่อปรับแต่งระยะเวลาที่เราต้องการดูย้อนหลังในบันทึกคำสั่งเพื่อประมวลผลข้อมูลการใช้งาน",

View File

@ -1031,7 +1031,6 @@
"profile-name": "分析器名称",
"profile-sample-type": "分析样本{{type}}",
"profiler": "分析器",
"profiler-amp-data-quality": "数据分析质控",
"profiler-configuration": "分析器配置",
"profiler-ingestion": "分析器提取",
"profiler-lowercase": "分析器",
@ -1856,7 +1855,7 @@
"no-data-available-entity": "{{entity}}中没有可用数据",
"no-data-available-for-search": "未找到数据, 请尝试搜索其他文本",
"no-data-available-for-selected-filter": "未找到数据, 请尝试更改筛选条件",
"no-data-quality-test-case": "该表似乎没有配置数据质控测试。要了解如何设置数据质控测试, <0>{{explore}}</0>",
"no-data-quality-test-case": "通过将质量测试添加到此表中来增强数据可靠性。我们的逐步指南将向您展示如何开始, <0>{{explore}}</0>",
"no-default-persona": "没有默认人物",
"no-domain-assigned-to-entity": "没有为{{entity}}分配任何域",
"no-domain-available": "没有可供配置的域, 点击<0>{{link}}</0>添加域",
@ -1890,8 +1889,9 @@
"no-permission-to-view": "您没有查看此数据所需的必要权限",
"no-persona-assigned": "未分配用户角色",
"no-persona-message": "用户角色是自定义登录页所必需的, 请从<0>{{link}}</0>中创建用户角色",
"no-profiler-card-message-with-link": "启用分析器以发现有关您的表的宝贵见解。访问我们的文档以获取设置步骤 <0>这里</0>",
"no-profiler-enabled-summary-message": "该数据表未启用数据分析工具",
"no-profiler-message": "数据分析工具是提取过程中的可选配置, 按照文档说明启用数据分析工具, 请点击",
"no-profiler-message": "通过运行分析器工作流探索您的表的指标。您将看到行数、表更新、体积变化等。访问我们的文档以获取设置步骤 ",
"no-recently-viewed-date": "无最近查看过的数据",
"no-reference-available": "无可用参考",
"no-related-terms-available": "无相关术语可用",
@ -1997,6 +1997,7 @@
"profile-sample-percentage-message": "将分析器值设置为百分比",
"profile-sample-row-count-message": "将分析器值设置为行数",
"profiler-ingestion-description": "在设置了元数据提取之后, 可以配置和部署分析器工作流。可以为同一数据库服务设置多个分析器工作流。工作流提供表实体的分析器选项卡, 并运行为该实体配置的测试。添加名称、FQN, 并定义过滤条件以启动。",
"profiler-is-enabled-but-no-data-available": "您的分析器已设置并准备就绪! 在下一个计划运行后, 第一个指标集将出现在这里。",
"profiler-timeout-seconds-message": "可选配置, 设置分析器的超时时间数值(以秒为单位)。如果达到超时时间, 分析器将等待任何未处理的查询终止其执行。",
"queries-result-test": "返回一行个或多行的查询将导致测试失败",
"query-log-duration-message": "该配置用来调整日志回溯时长, 以处理使用情况数据",

View File

@ -98,7 +98,7 @@ const DataQualityPage = () => {
<Row
className="page-container"
data-testid="data-insight-container"
gutter={[16, 16]}>
gutter={[0, 16]}>
<Col span={24}>
<Typography.Title
className="m-b-md p-x-md"

View File

@ -45,6 +45,7 @@ class DocumentationLinksClassBase {
FOLLOW_DATA_ASSET: `${this.docsBaseURL}how-to-guides/guide-for-data-users/follow-data-asset`,
RECENTLY_VIEWED: `${this.docsBaseURL}how-to-guides/data-discovery/discover`,
DATA_QUALITY_PROFILER_DOCS: `${this.docsBaseURL}how-to-guides/data-quality-observability`,
DATA_QUALITY_PROFILER_WORKFLOW_DOCS: `${this.docsBaseURL}how-to-guides/data-quality-observability/profiler/workflow`,
CUSTOM_PROPERTIES_DOCS: `${this.docsBaseURL}how-to-guides/guide-for-data-users/custom`,
DATA_DISCOVERY_DOCS: `${this.docsBaseURL}how-to-guides/data-discovery`,
HOW_TO_GUIDE_DOCS: `${this.docsBaseURL}how-to-guides`,